diff --git "a/mcq_data.csv" "b/mcq_data.csv" new file mode 100644--- /dev/null +++ "b/mcq_data.csv" @@ -0,0 +1,3103 @@ +question_id,course_id,course_domain,course_type,question,choices,correct_answer,correct_answer_idx +2,15005,Computer Science,bachelor,What is the worst case complexity of listing the contents of the directory? The file system implements directories as linked-lists.,"['$O(1)$', '$O(number of direntries in the directory)$', '$O(size of the file system)$', '$O(number of direntries in the file system)$', '$O(log(number of direntries in the directory))$']",$O(number of direntries in the directory)$,1 +6,15005,Computer Science,bachelor,Which of the following are correct implementation for acquire function ? Assume 0 means UNLOCKED and 1 means LOCKED. Initially l->locked = 0.,"['c \n void acquire(struct lock *l)\n {\n for(;;)\n if(xchg(&l->locked, 1) == 0)\n return;\n }', 'c \n void acquire(struct lock *l)\n {\n if(cas(&l->locked, 0, 1) == 0)\n return;\n }', 'c \n void acquire(struct lock *l)\n {\n for(;;)\n if(cas(&l->locked, 1, 0) == 1)\n return;\n }', 'c \n void acquire(struct lock *l)\n {\n if(l->locked == 0) \n return;\n }']","c + void acquire(struct lock *l) + { + for(;;) + if(xchg(&l->locked, 1) == 0) + return; + }",0 +8,15005,Computer Science,bachelor,Suppose we run JOS and set a breakpoint at syscall (in lib/syscall.c). What are the Current Privilege Level (CPL) before invoking the syscall function and after executing the int 0x30 instruction?,"['0 3', '0 0', '3 0', '3 3']",3 0,2 +9,15005,Computer Science,bachelor,Given that JOS has correctly initialized the IDT and installed all the interrupt handlers. Which of the following will JOS do if the CPU with CPL = 3 tries to read the memory in data segment with DPL = 0?,"['Calling the Page Fault Handler.', 'Calling the General Protection Fault handler.', 'Shuting down the system .', 'Reading out the memory content successfully.']",Calling the General Protection Fault handler.,1 +15,15005,Computer Science,bachelor,"In an x86 multiprocessor with JOS, how many Bootstrap Processors (BSP) is it possible to have at most? And how many Application Processors (AP) at most?","['BSP: 0, AP: 4', 'BSP: 1, AP: 4', 'BSP: 2, AP: 4', 'BSP: 0, AP: infinite', 'BSP: 1, AP: infinite', 'BSP: 2, AP: infinite']","BSP: 1, AP: infinite",4 +26,15005,Computer Science,bachelor,What is the worst case complexity of listing files in a directory? The file system implements directories as hash-tables.,"['$O(1)$', '$O(number of direntries in the directory)$', '$O(size of the file system)$', '$O(number of direntries in the file system)$', '$O(log(number of direntries in the directory))$']",$O(number of direntries in the directory)$,1 +30,15005,Computer Science,bachelor,"Assume a 32-bit architecture with a single-level page table. Each entry has 20 bits for PPN, 12 bits for permissions, and extra 32 bits used by the OS to store the access time of the page table entry. What is the size of page table required if a process uses all of its memory? (2 pts)","['2 MB', '4 MB', '8 MB', '16 MB']",8 MB,2 +35,15005,Computer Science,bachelor,"Suppose traditional inode pointer structure in ext3, i.e. 12 direct pointers, 1 singly, 1 doubly and 1 triply indirect pointer. Further suppose block size of 1kB and a 64-bit pointer. What is the maximal possible size for a single file?","['512kB', '2MB', '4MB', '10MB', '1GB', '4GB']",2MB,1 +37,15005,Computer Science,bachelor,Can there be a race condition in a multi-threaded application running on a single-core machine and multi-core machine?,"['Single-core: Yes, Multi-core: Yes', 'Single-core: Yes, Multi-core: No', 'Single-core: No, Multi-core: Yes', 'Single-core: No, Multi-core: No']","Single-core: Yes, Multi-core: Yes",0 +38,15005,Computer Science,bachelor,"With a four-level page table, how many memory lookups are required to access data: (a) If the translation is cached in TLB (best case) and (b) If the translation is not cached in TLB (worst case)?","['1,4', '1,5', '4,4', '4,5', '0,4', '0,5']","1,5",1 +39,15005,Computer Science,bachelor,"In executing interrupts, when does JOS use Task State Segment and what is it used for?","['Switching from kernel space to user space; Poping all general registers.', 'Switching between user space environments; Loading the stack and instruction register of another environment.', 'Switching from user space to kernel space; Loading the saved kernel stack registers to esp and ss registers.']",Switching from user space to kernel space; Loading the saved kernel stack registers to esp and ss registers.,2 +40,15005,Computer Science,bachelor,"In JOS, suppose one Env sends a page to another Env. Is the page copied?","['Yes', 'No']",No,1 +41,15005,Computer Science,bachelor,"In JOS and x86, please select all valid options for a system call.","['A system call is for handling interrupts like dividing zero error and page fault.', 'In user mode, before and after a system call instruction(such as int 0x30), the stack pointer(esp in x86) stays the same.', 'During the execution of a system call, when transfering from user mode to kernel mode, the stack pointer(esp in x86) stays the same.']","In user mode, before and after a system call instruction(such as int 0x30), the stack pointer(esp in x86) stays the same.",1 +43,15005,Computer Science,bachelor,"If you write ""hello"" to a file in a JOS file system. Right after the write operation, the computer crashes. Is the content ""hello"" persisted (or written) on the disk?","['Yes', 'No']",No,1 +46,15005,Computer Science,bachelor,"What is the default block size for a traditional file system, e.g. ext3/4?","['32 bits', '32 bytes', '512 bits', '512 bytes', '4096 bits', '4096 bytes']",4096 bytes,5 +47,15005,Computer Science,bachelor,Suppose a file system used only for reading immutable files in random fashion. What is the best block allocation strategy?,"['Linked-list allocation', 'Continuous allocation', 'Index allocation with B-tree', 'Index allocation with Hash-table']",Continuous allocation,1 +61,15005,Computer Science,bachelor,Which flag prevents user programs from reading and writing kernel data?,"['PTE_P', 'PTE_U', 'PTE_D', 'PTE_W']",PTE_U,1 +62,15005,Computer Science,bachelor,"In JOS, after finishing the execution of a user-level page fault handler, how is the program control flow transferred back to the program? (You may get insights from the code snippet of _pagefault_upcall.)","['The control flow will be transferred to kernel first, then to Env that caused the page fault.', 'The control flow will be transferred to Env that caused the page fault directly.']",The control flow will be transferred to Env that caused the page fault directly.,1 +63,15005,Computer Science,bachelor,What data structure is used for tracking free data blocks in ext3/4 file system?,"['Linked-list', 'Bitmap', 'Heap', 'Stack']",Bitmap,1 +65,15005,Computer Science,bachelor,"In JOS and x86, which register stores the system call number when invoking a system call?","['ecx', 'eip', 'eax', 'esp', 'No register is required, and the syscall number is followed by int instruction, e.g. int 0x30.']",eax,2 +70,15005,Computer Science,bachelor,"In JOS, which of the following does NOT happen during the execution of a system call? (Including the period of entering kernel, executing kernel function, and exiting kernel.)","['The kernel pushes Env’s cs and eip register on the kernel stack.', 'The CPU reads the interrupt handler address from IDT.', 'The kernel executes iret to return to user mode.', ""The kernel switches from Env's page table to the kernel's page table, by loading cr3 register.""]","The kernel switches from Env's page table to the kernel's page table, by loading cr3 register.",3 +76,15005,Computer Science,bachelor,"Once paging is enabled, load instruction / CR3 register / Page Table entry uses Virtual or Physical address?","['Physical / Physical / Physical', 'Physical / Physical / Virtual', 'Virtual / Physical / Physical', 'Virtual / Virtual / Virtual', 'Virtual / Virtual / Physical']",Virtual / Physical / Physical,2 +77,15005,Computer Science,bachelor,"In JOS, is page fault handled by a system call?","['Yes', 'No']",No,1 +78,15005,Computer Science,bachelor,Which of the execution of an application are possible on a single-core machine?,"['Concurrent execution', 'Parallel execution', 'Both concurrent and parallel execution', 'Neither concurrent or parallel execution']",Concurrent execution,0 +86,15005,Computer Science,bachelor,"In JOS, suppose a value is passed between two Envs. What is the minimum number of executed system calls?","['1', '2', '3', '4']",2,1 +87,15005,Computer Science,bachelor,What strace tool does?,"['It prints out system calls for given program. These system calls are always called when executing the program.', 'It prints out system calls for given program. These systems calls are called only for that particular instance of the program.', 'To trace a symlink. I.e. to find where the symlink points to.', 'To remove wildcards from the string.']",It prints out system calls for given program. These systems calls are called only for that particular instance of the program.,1 +88,15005,Computer Science,bachelor,Question 4. Assume a 32-bit architecture with a four-level page table and a page size of 4KB. What is the minimum size of page table pages required to map a single page of physical memory (No huge page)?,"['4 KB', '8 KB', '16 KB', '32 KB', '64 KB']",16 KB,2 +229,15013,Physics,online,Which ones in the list below increase CT signal-to-noise ratio (SNR)?,"['Increasing matrix size', 'Increasing field of view (FOV)', 'Increasing mAs', 'Increasing scan time', 'Increasing detector quantum efficiency', 'Increasing slice thickness', 'Increasing K (maximum voltage applied across an X-ray tube)']",Increasing matrix size,0 +233,15016,Physics,online,What is true about reducing phase-encoding steps? (i.e how can we reduce phase encoding step and what is its effect),"['Increasing k-space spacing - leads to worse resolution', 'Dropping peripheral k-space lines (dropping scan percentage) – leads to smaller FOV', 'Half-Fourier acquisition – leads to worse resolution', 'Reducing phase-encoding steps leads to worse SNR']",Reducing phase-encoding steps leads to worse SNR,3 +234,15016,Physics,online,Note: Make sure you select all of the correct options—there may be more than one!,"['The Larmor equation describes the precession of the total magnetization around the static magnetic field \\(\\vec B_0\\) with a frequency \\(f=\\gamma B_0/(2π)\\) in the Lab frame', 'The Larmor equation describes the precession of the total magnetization around \\(\\vec B_0\\) with a frequency \\(f=\\gamma B_0/(2π)\\) in the rotating frame.', 'At equilibrium, all the spins are aligned along \\(\\vec B_0\\).']",The Larmor equation describes the precession of the total magnetization around the static magnetic field \(\vec B_0\) with a frequency \(f=\gamma B_0/(2π)\) in the Lab frame,0 +235,15016,Physics,online,Can we use MRI as a lie detector?,"['Yes, and it is already often used.', 'No, it is strictly impossible to distinguish different brain zones, based on MRI images.', 'Maybe, some scientists are developping it. But at this time, the technique is not reliable.']","Maybe, some scientists are developping it. But at this time, the technique is not reliable.",2 +236,15016,Physics,online,Integral under peak of the Fourier transform of a signal gives information about...,"['Properties of the compound', 'Concentration of the compound', 'Relaxation time of the compound']",Concentration of the compound,1 +237,15016,Physics,online,"When the RF pulse stops, protons...","['Dephase according to \\(T_2^*\\) and recover along \\(\\vec B_0\\) according to \\(T_1\\)', 'Dephase according to \\(T_1\\) and recover along \\(\\vec B_0\\) according to \\(T_2^*\\)', 'Dephase according to \\(T_1\\) and recover along \\(\\vec B_0\\) according to \\(T_2\\)', 'Dephase according to \\(T_2\\) and recover along \\(\\vec B_0\\) according to \\(T_1\\)']",Dephase according to \(T_2^*\) and recover along \(\vec B_0\) according to \(T_1\),0 +244,15016,Physics,online,What does diffusion-weighted imaging (DWI) measure?,"['Motion of water molecules', 'Motion of cells', 'Motion of organelles', 'Chemical composition of tissue', 'Ratio of water to fat']",Motion of water molecules,0 +246,15013,Physics,online,Why do we put on sunscreen in Australia?,"['Because the ionizing limit is at shorter wavelength than visible light', 'Because the ionizing limit is at longer wavelength than visible light', 'Because the sunscreen absorbs all the ultraviolet radiation']",Because the ionizing limit is at shorter wavelength than visible light,0 +249,15016,Physics,online,"If a signal is undersampled, aliasing will result and cause...","['Amplitude misregistration', 'Frequency misregistration', 'Phase misregistration', 'Worse resolution', 'High noise level']",Frequency misregistration,1 +253,15016,Physics,online,Diffusion is typically NOT restricted by...,"['Intracellular water', 'Extracellular water', 'Pus', 'Tumor cells']",Extracellular water,1 +255,15013,Physics,online,What is one of the major problem encountered with Emission Tomography?,"['Bad CNR', 'Inefficient detection of X-rays', 'Attenuation', 'High cost of exam']",Attenuation,2 +256,15013,Physics,online,Compartmental modeling and tracers studies have application in different areas such as...,"['Drug kinetics in pharmacology', 'Studies of metabolic systems', 'Analysis of ecosystem', 'Chemical reaction kinetics']",Drug kinetics in pharmacology,0 +258,15013,Physics,online,What information does a Doppler shift provide?,"['Flow', 'Cardiac output', 'Velocity', 'Speed']",Velocity,2 +262,15033,Physics,online,How many lines are there in the 1H spectrum of CHD3?,"['2', '3', '5', '7']",7,3 +263,15013,Physics,online,What does the Doppler shift measure?,"['The ratio of incident frequency to reflected frequency', 'The sum of incident frequency and reflected frequency', 'The difference between incident and reflected frequency', 'The product of incident and reflected frequency']",The difference between incident and reflected frequency,2 +264,15013,Physics,online,The size of a voxel can be calculated from:,"['Matrix size', 'Slice thickness', 'Field of view']",Matrix size,0 +266,15013,Physics,online,"In PET, how can the attenuation correction be performed?","['Preacquisition of a (known) external radioactive source to be used for attenuation', 'Utilizing CT images for attenuation correction', 'Both of the above']",Both of the above,2 +267,15016,Physics,online,The strength of the frequency-encoding gradient...,"['...is changed many times to generate k-space', '...has no influence on the final image', '...alters the bandwidth of the signal', '...alters the tissue contrast']",...alters the bandwidth of the signal,2 +268,15013,Physics,online,"During fluoroscopy, what is the principal source of the dose received by the technologist (outside the primary beam)?","['Compton electrons.', 'Photoelectrons.', 'Compton scattered photons.', 'Rayleigh scattering']",Compton scattered photons.,2 +270,15033,Physics,online,The ratio T1 / T2 = 10 was measured for a 1H resonance on a 600 MHz spectrometer. What is the value of tau c?,"['0.52 ns', '1.13 ns', '1.38 ns', '2.05 ns']",1.13 ns,1 +271,15013,Physics,online,Diagnostic ultrasound is defined as a sound with a frequency of:,"['Greater than 20 kHz', 'Greater than 0.2 MHz', 'Greater than 1 MHz', 'Less than 1 kHz']",Greater than 1 MHz,2 +273,15013,Physics,online,Why are filters placed within the X-ray tube of a CT scanner?,"['To decrease the scan time', 'To remove high energy photons from the beam', 'To remove low energy X-ray photons from the beam']",To remove low energy X-ray photons from the beam,2 +277,15016,Physics,online,Where is hydrogen magnetization measured?,"['Along the main magnetic field', 'Perpendicular to the main magnetic field']",Perpendicular to the main magnetic field,1 +278,15016,Physics,online,The magnetic moment of individual spin in induction field \(B_0\) depends on:,"['Gyromagnetic ratio', 'The surrounding spins of other molecules', 'Magnetic field', 'The temperature', 'The angular momentum of the nucleus']",Gyromagnetic ratio,0 +279,15013,Physics,online,Why should you go to the bathroom before leaving the hospital after a PET scan?,"['In order to eliminate most of the radioactive substance.', 'Doctors can check the desintegration of radioactive substance after the scan.', 'Urine analysis is necessary to a better interpretation of PET scan images']",In order to eliminate most of the radioactive substance.,0 +280,15013,Physics,online,What produces a uniform density of the radiograph called image noise?,"['Photoelectric effect', 'Filter', 'Photodisintegration', 'Rayleigh (coherent) scattering']",Rayleigh (coherent) scattering,3 +281,15013,Physics,online,"In an X-ray tube, electrons travel:","['Toward the cathode.', 'Toward the anode.', 'Within the nucleus of an atom.']",Toward the anode.,1 +282,15013,Physics,online,"Regarding the current PET/CT scanners, which of the following two statements is true?","['PET and CT are in the same gantry, and acquisition of PET and CT occurs simultaneously.', 'After the CT scan, the PET image is acquired.']","After the CT scan, the PET image is acquired.",1 +284,15013,Physics,online,What are the advantages of bio-imaging compared to tissue analysis? Make sure you select all of the correct options — there may be more than one!,"['Bioimaging allows longitudinal studies, which increases statistical power.', 'Repetitive studies are possible and allow observing the evolution in the same subject.', 'Bioimaging is non invasive.', 'The structure of tissues can be described more precisely.', 'The image acquisition is fairly fast.']","Bioimaging allows longitudinal studies, which increases statistical power.",0 +286,15033,Physics,online,How long does it take for the free induction decay of an NMR line with T2 = 0.5 s to decay to 1% of its initial amplitude?,"['2.30 s', '2.90 s', '3.20 s', '3.70 s']",2.30 s,0 +290,15013,Physics,online,Rats have a higher glucose metabolic rate (GMR) in their brain than humans. Can we conclude they are smarter ?,"['Yes, some studies tend to show that rats learn faster than humans.', 'No, some studies indicate an inverse relationship between GMR and intelligence.', 'Studies have shown that there is no correlation between GMR and intelligence']","No, some studies indicate an inverse relationship between GMR and intelligence.",1 +292,15016,Physics,online,Which element within the body is the most important regarding MRI?,"['Oxygen', 'Carbon', 'Hydrogen']",Hydrogen,2 +293,15016,Physics,online,You discover a mummy. Which imaging technique will you use?,"['MRI', 'PET scan', 'X-ray radiography']",X-ray radiography,2 +295,15013,Physics,online,Which interaction between X-ray beam and matter results in the largest patient dose?,"['Characteristic', ""Compton's scatter"", 'Bremsstrahlung', 'Photoelectric effect']",Photoelectric effect,3 +296,15016,Physics,online,What is the optimal \(TI\) to detect changes in \(T_1\)?,"['\\(TI = T_1\\)', '\\(TI = T_1/2\\)', '\\(TI = \\pi/2\\)']",\(TI = T_1\),0 +301,15013,Physics,online,"Let's consider a drug distribution rate from a compartment 1 to 2. In the simplest case, this rate is assumed to be...","['Approximately constant', 'Decreasing exponentially', 'Proportional to the mass (or concentration) of the drug in compartment 1.']",Proportional to the mass (or concentration) of the drug in compartment 1.,2 +302,15016,Physics,online,Which component of an MRI system allows to choose exactly where in the body to acquire an image?,"['Gradient magnets', 'RF pulses', 'Contrast agents']",Gradient magnets,0 +305,15016,Physics,online,"Compared with SE (spin echo), GRE (gradient echo) sequences use","['Longer \\(TR\\)', 'Shorter \\(TR\\)', 'Longer \\(TE\\)', 'Shorter \\(TE\\)']",Shorter \(TR\),1 +306,15013,Physics,online,Which of the following statements is true?,"['Is due to photoelectric absorption and Compton scatter.', 'Gives the relative number of x-rays emitted at each photon energy.', 'Depends only on the braking radiation.', 'Is produced by electron transitions between the electron shells.']",Gives the relative number of x-rays emitted at each photon energy.,1 +307,15013,Physics,online,What are the types of coincidence events?,"['True', 'Random', 'Scattered', 'Multiple']",True,0 +308,15013,Physics,online,"In a gamma camera, what is the component that ""converts"" the light signal in electronic signal?","['Dynode', 'Photocatode', 'Photomultiplier tube', 'Scintillator crystal']",Photomultiplier tube,2 +310,15013,Physics,online,What is the name of the Austrian mathematician who proved in 1917 that it was possible to reconstruct a three-dimensional object from the infinite set of all of its projections?,"['Radon', 'Tsien', 'Bracewell', 'Cormack']",Radon,0 +311,15033,Physics,online,How long (in multiples of T1) is it necessary to wait for Δn(t) to relax to 99% of Δneq??,"['2.61 T1', '4.61 T1', '5.02 T1', '7.03 T1']",4.61 T1,1 +316,15033,Physics,online,What is the NMR frequency of 1H in a 23.488 T magnetic field?,"['1000.0 Hz', '1000.0 kHz', '1000.0 MHz', '1000.0 GHz']",1000.0 MHz,2 +317,15013,Physics,online,"Which phenomena does the term ""beam hardening"" describe?","['The decrease in average photon energy of a heterogeneous X-ray beam', 'The increase in average photon energy of a homogeneous X-ray beam', 'The increase in average photon energy of a heterogeneous X-ray beam', 'None of the above']",The increase in average photon energy of a heterogeneous X-ray beam,2 +318,15013,Physics,online,"When incoming electrons interacts with bound electrons in the X-ray target, ionization of the atom can occur...","['if the absolute energy transferred exceeds the absolute binding energy of the shell involved.', 'as well as emission of alpha and beta particles.', 'and gamma ray emission too.', 'when the kinetic energy of the incoming electrons is less than the binding energy of the shell involved.']",if the absolute energy transferred exceeds the absolute binding energy of the shell involved.,0 +320,15033,Physics,online,For each of the following compounds determine which protons are magnetically equivalent:,"['benzene', 'the 2,5 protons in furan', 'F2C=C=CH2']",benzene,0 +321,15013,Physics,online,How is termed the fraction of attenuated incident photons per unit thickness of a material?,"['Linear attenuation coefficient', 'Mass absorption coefficient', 'Coefficient of scattering', 'Mean attenuation ratio']",Linear attenuation coefficient,0 +323,15033,Physics,online,Predict the total number of lines in the 1H spectrum of CH3Cl,"['0', '1', '2', '3']",1,1 +325,15013,Physics,online,How is called the reduction of intensity when an X-ray beam interacts with matter?,"['Scatter', 'Attenuation', 'Transmission', 'Differential absorption']",Attenuation,1 +328,15016,Physics,online,"In a ""90 degree impulsion"" when the RF pulse is applied...","['The excess of protons spins parallel to \\(\\vec B_0\\) disappears.', 'Proton spins precess in phase.', 'All of the above']",All of the above,2 +329,15016,Physics,online,Why using a rotating reference frame to describe motion of magnetization?,"['Because the formulas were developped historically considering rotating frame.', 'To simplify the complex motion of precessing spins.', 'It is the international standard.']",To simplify the complex motion of precessing spins.,1 +330,15016,Physics,online,Which action allows the formation of a spin echo?,"['Reversing the direction of \\(\\vec B_0\\).', 'Flipping proton direction by a radiofrequency pulse.', 'Applying a negative magnetic field gradient.']",Flipping proton direction by a radiofrequency pulse.,1 +334,15016,Physics,online,"To null the signal from a particular tissue with an IR sequence, one should choose TI based on what?","['The proton density of the tissue', 'The \\(T_1\\) value of the tissue', 'The \\(T_2\\) value of the tissue', 'The \\(T_2^*\\) value of the tissue', 'The precession frequency of the tissue']",The \(T_1\) value of the tissue,1 +336,15016,Physics,online,Which of the following imaging parameter allows fat-water phase differences in MRI?,"['TR in a spin echo (SE) sequence', 'TE in a spin echo (SE) sequence', 'TR in a gradient echo (GRE) sequence', 'TE in a gradient echo (GRE) sequence', 'TR in either SE or GRE sequence', 'TE in either SE or GRE sequence']",TE in a gradient echo (GRE) sequence,3 +338,15033,Physics,online,"Predict which of the following compounds has the highest and which the lowest 1H chemical shift: CH3Br, CH2Br2 and CHBr3. (from highest to lowest)","['CH3Br > CH2Br2 > CHBr3', 'CHBr3 > CH2Br2 > CH3Br', 'CH2Br2 > CHBr3 > CH3Br', 'They have all the same 1H chemical shift']",CHBr3 > CH2Br2 > CH3Br,1 +339,15013,Physics,online,"The three most common parameters used to measure the ""quality"" of an image are…","['The spatial resolution, the sensitivity and signal-to-noise ratio.', 'The SNR, the spatial resolution and contrast-to-noise ratio.', 'The image noise, the spatial resolution and signal-to-noise ratio.']","The SNR, the spatial resolution and contrast-to-noise ratio.",1 +340,15013,Physics,online,X-ray detection in Emission Tomography involves...,"['A beta camera composed of PMT and scintillating crystal', 'A measure at 180 degrees simultaneously', 'An x-ray tube and a circular detector ring', 'Collimation, scintillation and amplification']","Collimation, scintillation and amplification",3 +346,15016,Physics,online,An MRI system creates an image when:,"['All the hydrogen atoms in the body precess around the same axis.', 'Hydrogens atoms align to the magnetic field.', 'After excitation, the hydrogen atoms go back to their initial position, releasing energy.']","After excitation, the hydrogen atoms go back to their initial position, releasing energy.",2 +347,15016,Physics,online,What is the name given to the relaxation process due to a transfer of energy from the nuclear spin system to neighboring molecules?,"['Spin - lattice relaxation', 'Spin - spin relaxation']",Spin - lattice relaxation,0 +348,15013,Physics,online,Which of the following is not directly ionizing radiation?,"['Positrons', '\\(\\alpha-\\)particles', 'Neutrons', 'Protons']",Neutrons,2 +349,15016,Physics,online,When was the first MRI human scan performed?,"['1952', '1965', '1977', '1985']",1977,2 +350,15013,Physics,online,"What is the cause of the light areas seen on a radiograph (low optical density), such those corresponding to bone?","['Photoelectric effect', 'Image noise', 'Compton interactions']",Photoelectric effect,0 +356,15016,Physics,online,What is the essential and biggest component of an MRI scanner?,"['Magnet', 'Digitizer', 'Imager']",Magnet,0 +358,15016,Physics,online,When a hydrogen atom in a magnetic field absorbs radiation energy...,"['Frequency of precession of the nucleus increases.', 'The magnetic moment vector spins faster.', 'The magnetic moment vector of nucleus ""flips"" so that it now opposes the applied field.']","The magnetic moment vector of nucleus ""flips"" so that it now opposes the applied field.",2 +359,15013,Physics,online,"On a chest radiograph, lungs are mainly imaged because of differences in...","['Mass density', 'Absorption coefficient', 'Attenuation coefficient']",Mass density,0 +360,15033,Physics,online,"The following data were measured in an inversion recovery experiment: tau [s]: 2.0 , 5.0 , 10.0 , 20.0 , 100.0 with their respective signal intensities Signal(tau): -0.702 , -0.336 , 0.107 , 0.601 , 1.000. Determine the value of T1.","['10.5 s', '12.4 s', '15.6 s', '18.1 s']",12.4 s,1 +362,15013,Physics,online,How is called a digital imaging system's ability to distinguish between similar tissues?,"['Spatial resolution', 'Good SNR', 'Contrast resolution']",Contrast resolution,2 +366,15013,Physics,online,The recorded sharpness or detail of structures on the image is known as...,"['SNR', 'Contrast', 'Spatial resolution']",Spatial resolution,2 +368,15013,Physics,online,"In Doppler effect, which incident angle (in degree) results in no shift?","['180', '90', '45', '0']",90,1 +371,15013,Physics,online,How is called the difference in brightness between light and dark areas of an image?,"['Spatial resolution', 'SNR', 'Contrast']",Contrast,2 +377,15033,Physics,online,What is the NMR frequency of 13C in a 23.488 T magnetic field?,"['1000.0 MHz', '251.5 MHz', '503.0 MHz', '754.5 MHz']",251.5 MHz,1 +380,15033,Physics,online,The aromatic region of the 13C{1H} spectrum of N-methylaniline contains six lines at low temperature. How many lines might be expected at high temperature??,"['2', '4', '6', '8']",4,1 +384,15033,Physics,online,What is the NMR frequency of 1H in the Earth's magnetic field (50 micro Tesla)?,"['1.065 kHz', '2.129 kHz', '3.194 kHz', '4.258 kHz']",2.129 kHz,1 +385,15033,Physics,online,How many distinct chemical shifts would you expect to find in the 13C spectrum of 2-methylbutane?,"['1', '2', '3', '4']",4,3 +388,15016,Physics,online,"In order to obtain a signal in MRI experiment, what is the first step?","['Apply an RF pulse along \\(\\vec B_0\\)', 'Change the amplitude of \\(\\vec B_0\\)', 'Apply an RF pulse in a different direction from \\(\\vec B_0\\)', 'Apply a magnetic field gradient']",Apply an RF pulse in a different direction from \(\vec B_0\),2 +389,15013,Physics,online,Which of the following decreases the noise of the CT image?,"['Decrease in dose', 'Decrease in slice thickness', 'Increase in matrix size', 'Decrease in matrix size']",Decrease in matrix size,3 +390,15033,Physics,online,The 1H spectrum of CH2D2 contains five lines. What are their relative intensities?,"['1:2:2:2:1', '1:1:1:1:1', '1:2:3:2:1', '1:1:2:1:1']",1:2:3:2:1,2 +391,15013,Physics,online,A characteristic feature of a projection radiograph is:,"['Poor spatial resolution', 'Lengthy data acquisition', 'Tissue superimposition']",Tissue superimposition,2 +394,15013,Physics,online,What is \(K_\alpha\) transition?,"['The ionization of a K shell electron.', 'It leads to the emission of Bremsstrahlung.', 'It leads to the emission of characteristic radiation.']",It leads to the emission of characteristic radiation.,2 +395,15033,Physics,online,"Predict the total number of lines in the 1H spectrum of 1,2-dichloro-3,4-dibromobenzene","['1', '2', '3', '4']",4,3 +396,15013,Physics,online,"When X-rays interact with materials, they are able to:","['Cause substances to fluoresce.', 'Remove an electron from an atom.', 'Cause chemical changes that may lead to cells disfunctions.']",Cause substances to fluoresce.,0 +397,15013,Physics,online,Which of the following molecules are typical tracers for SPECT?,"['F-18', 'O-15', '99m-Tc', 'Tl-201', 'C-11']",99m-Tc,2 +398,15016,Physics,online,Let's consider two systems of particles (with different gyromagnetic ratio) of spin ½ in a magnetic field \(\vec B_0\). The total population as well as temperature in each system are the same. According to Boltzmann distribution :,"['The system with highest \\( \\gamma \\) has more down spins than the system with lowest \\( \\gamma \\).', 'The system with highest \\( \\gamma \\) has less down spins than the system with lowest \\( \\gamma \\).', 'The distribution is exactly the same : it does not depend on \\(\\gamma\\).']",The system with highest \( \gamma \) has less down spins than the system with lowest \( \gamma \).,1 +400,15033,Physics,online,NMR stands for,"['Nuclear Moment of Resonance', 'Non Magnetic Radiation', 'Nuclear Magnetic Radiation', 'Nuclear Magnetic Resonance']",Nuclear Magnetic Resonance,3 +401,15016,Physics,online,">>In spin echo sequences, what do TR and TE refer to?","['TR: the spacing between successive 90-degree pulses; TE: time between the 90-degree pulse and the spin echo', 'TR: the spacing between successive 90-degree pulses; TE: the spacing between the 90-degree pulse and the 180-degree pulse', 'TR: time before the 90-degree pulse and the spin echo; TE: the spacing between successive 90-degree pulses', 'TR: the spacing between the 90-degree pulse and the 180-degree pulse; TE: the spacing between successive 90-degree pulses']",TR: the spacing between successive 90-degree pulses; TE: time between the 90-degree pulse and the spin echo,0 +402,15016,Physics,online,What can improve SNR in MRI if it is increased?,"['Bandwidth', 'Gradient strength', 'Acquisition time']",Acquisition time,2 +403,15013,Physics,online,"In FDG PET, how is called the factor that takes into account that what one is measuring with deoxyglucose is not the real glucose molecule but an analog of glucose?","['The Lumped constant', 'The Fick constant']",The Lumped constant,0 +404,15033,Physics,online,What is the duration of a 1H 90° pulse when B1 = 1.00 mT?,"['4.12 microseconds', '5.87 microseconds', '9.82 microseconds', '12.45 microseconds']",5.87 microseconds,1 +408,15013,Physics,online,"In diagnostic X-ray systems, filters are used to ""harden"" the beam. This process is mainly due to:","['Coherent scattering.', 'Photoelectric effect.', 'Compton effect.', 'Pair production.']",Photoelectric effect.,1 +409,15013,Physics,online,What is the form of the majority of energy produced by electrons in X-rays tubes?,"['Light', 'Sound', 'X-ray energy', 'Heat']",Heat,3 +411,15016,Physics,online,Which MR imaging parameter determines how much of T1 (longitudinal) recovery occur?,"['TR', 'TE', 'Bandwidth (BW)', 'Number of excitations', 'Gradient intensity']",TR,0 +413,15013,Physics,online,Let's consider two media: the speed of sound in the two media is different and impedances of these two media are identical. A sound pulse reaches the boundary between these two media with normal incidence. Does the reflection occur?,"['Yes', 'No']",No,1 +418,15016,Physics,online,Which of the following imaging modalities is/are ionizing?,"['X-rays', 'CT (Computed tomography)', 'MRI (Magnetic resonance imaging)', 'US (Ultrasounds)', 'PET (Positron emission tomography)', 'SPECT (Single photon emission computed tomography)']",X-rays,0 +421,15013,Physics,online,What is true concerning scatter radiation?,"['They reduce contrast resolution', 'They contribute to the image formation.']",They reduce contrast resolution,0 +425,15013,Physics,online,Where does the annihilation of positron and electron take place?,"['In the radionuclide emitting the positron', 'At a short distance from the radionuclide']",At a short distance from the radionuclide,1 +626,15076,Life Sciences Engineering,online,"How does the particular dendritic conductance of CA1 pyramidal neurons influence the integration of the signals from two synapses, one close to the soma and one close to the distal dendrite, activated with a time delay?","['Both signals are integrated to generate an AP in the soma if the delay is short (up to 20 ms) and the distal synapse is activated first or very shortly after the proximal one', 'Both signals are integrated to generate an AP in the soma even when the delay is long (up to 50 ms)', 'Each of the two signals generate a separate AP in the soma except when the time delay is very short (less than 10 ms), in which case a single AP is generated', 'Both signals are integrated to generate an AP in the soma if the delay is short (up to 20 ms) and the proximal synapse is activated first or very shortly after the distal one']",Both signals are integrated to generate an AP in the soma if the delay is short (up to 20 ms) and the distal synapse is activated first or very shortly after the proximal one,0 +627,15076,Life Sciences Engineering,online,A neuron can be considered as a dipole. Why does the amplitude of the extracellular potential fall proportionally to the square of the distance from the dipole it originates in?,"['Because the current is divided by the square of the distance to obtain the extracellular potential in the formula', 'Because as one moves further away from the dipole, current and return current cancel each other out more and more in addition to the decrease in amplitude that is proportional to the distance', 'Because the sum of all currents acting on an extracellular location is weighted by a multiple of the squared distance between compartment and the extracellular location', 'It does not fall proportionally to the square of the distance, but proportionally to the distance between the dipole and the extracellular location']","Because as one moves further away from the dipole, current and return current cancel each other out more and more in addition to the decrease in amplitude that is proportional to the distance",1 +628,15076,Life Sciences Engineering,online,Which method can be used to link a broad range of different time and spatial scales when studying the brain?,"['Patch clamp', 'PET imaging', 'Modeling and simulation', 'Long-term clinical studies']",Modeling and simulation,2 +629,15076,Life Sciences Engineering,online,How are different regions of the hippocampus connected to each other?,"['The connections are largely reciprocal; if region A projects to region B, region B also projects to region A', 'The connections are mainly unidirectional along a stream', 'The connections allow signals to spread along the longitudinal axis of the hippocampus', 'The connections keep the signals mainly in one slide of the longitudinal axis called a lamella']",The connections are mainly unidirectional along a stream,1 +630,15076,Life Sciences Engineering,online,What are fixed point attractors in nonlinear recurrent networks?,"['Specific neurons that are always activated', 'Stable patterns of activity towards which other patterns converge', 'Memory traces, if the can be learned by the network', 'Connections between neurons that get consolidated upon recall']",Stable patterns of activity towards which other patterns converge,1 +631,15076,Life Sciences Engineering,online,What are the two main ions contributing to the generation of an action potential?,"['Na+ and Cl-', 'Ca2+ and Cl-', 'H+ and K+', 'Na+ and K+']",Na+ and K+,3 +632,15076,Life Sciences Engineering,online,Which important point must be considered when populating the region to model?,"['The types of cells present in the region', 'The shape of the volume to populate', 'The density of each cell type', 'The location and orientation of the cells in the volume']",The types of cells present in the region,0 +633,15076,Life Sciences Engineering,online,What determines the firing pattern of a neuron in response to step current injections?,"['The length of its axon', 'Its expression of different voltage-gated ion channels', 'Which neurotransmitter it expresses', 'The post-synaptic domain of the cells that it targets']",Its expression of different voltage-gated ion channels,1 +634,15076,Life Sciences Engineering,online,What does simulating a neuron help to understand?,"['Dendritic integration', 'The neural code', 'The role of the biophysical make-up of a neuron', 'Potentially all of the above, depending on the type of model used']","Potentially all of the above, depending on the type of model used",3 +635,15076,Life Sciences Engineering,online,Which statement about CA1 pyramidal neurons are true?,"['The KA density increases with the distance to the soma, the Ih density stays constant', 'The density of both K and non-specific ion channels increases when the distance to the soma increases', 'They receive two main independent inputs, one from the entorhinal cortex and one from the olfactory bulb that arrive at different locations', 'They receive two main inputs that both originate from the same signal in the entorhinal cortex and arrive at different locations with a time delay']",The density of both K and non-specific ion channels increases when the distance to the soma increases,1 +637,15076,Life Sciences Engineering,online,Which property of the hippocampus makes it a good model to study the nervous system?,"['The connections on the hippocampus are almost unidirectional', 'The synapses are highly plastic', 'Hippocampal neurons can be grown in culture', 'All of the above']",All of the above,3 +639,15076,Life Sciences Engineering,online,What is true about gamma and theta oscillations?,"['Theta oscillations are persistent, while gamma oscillations are transient', 'Both types of oscillations can be transient or persistent', 'The same receptors can activate or block a type of oscillations', 'Different receptors activate or block each type of oscillations', 'Not all types of oscillations can be observed in all hippocampal regions', 'Gamma oscillations can have a broad range of high frequencies']",Both types of oscillations can be transient or persistent,1 +641,15076,Life Sciences Engineering,online,>>The factors listed below influence either presynaptic or postsynaptic specificity. Which ones affect postsynaptic specificity?,"['The dynamic release properties', 'The number of receptors', 'Postsynaptic properties', 'The release probability', 'The type of receptors', 'The number of release sites']",The number of receptors,1 +642,15076,Life Sciences Engineering,online,How are somatic and dendritic conductances related to the firing pattern of a cell?,"['Each cell type has a fixed firing pattern that results from all individual cells of the same type having the same somatic and dendritic conductances', 'Each combination of conductances generate a different firing behavior', 'Specific conductances must be at certain levels in order to generating a defined firing pattern', 'Several combinations of conductances are able to reproduce the same firing behavior']",Specific conductances must be at certain levels in order to generating a defined firing pattern,2 +643,15076,Life Sciences Engineering,online,How does the calculation of extracellular potentials help with experimental design?,"['Mismatches between simulations and experimental data highlight mistakes in experimental data and show how experiments need to be modified in order to match the model', 'It doesn’t help experimental design, but generates data so that experiments are not necessary anymore in order to answer biological questions', 'Because the calculation of extracellular potentials allows separating the contribution of each neuron to the signal, it can inform on where to place electrodes to measure specific activities', 'All of the above']","Because the calculation of extracellular potentials allows separating the contribution of each neuron to the signal, it can inform on where to place electrodes to measure specific activities",2 +644,15076,Life Sciences Engineering,online,What do the simple networks explaining gamma oscillations and ripples not have in common?,"['The same connectivity pattern', 'A high number of basket cells', 'Direct auto-inhibitory feedback loops acting on single basket cells', 'All of the above']",All of the above,3 +645,15076,Life Sciences Engineering,online,Which statement concerning the firing pattern of neurons is true?,"['There is a correlation between the firing pattern and the calcium binding protein content.', 'There is an absolute correlation between the firing pattern and the calcium binding protein content of all interneurons.', 'All fast-spiking cells express the potassium channel Kv3.1', 'Basket cells are the only fast spiking cells in the hippocampu']",There is a correlation between the firing pattern and the calcium binding protein content.,0 +646,15076,Life Sciences Engineering,online,What is the effect of the particular dendritic conductance of CA1 pyramidal neurons on back-propagating APs?,"['AP amplitude along the dendrites increases as the distance to the soma increases', 'AP amplitude along the dendrites decreases as the distance to the soma increases', 'AP amplitude stays constant along the dendrites over the distance to the soma', 'AP amplitude along the axon decreases as the distance to the soma increases']",AP amplitude along the dendrites decreases as the distance to the soma increases,1 +647,15076,Life Sciences Engineering,online,How can modeling help with sparse data?,"['By identifying principles allowing to predict missing data', 'By guiding experimental design in highlighting missing data', 'By finding connections between data types and data points allowing interpolation of missing data', 'All of the above']",All of the above,3 +648,15076,Life Sciences Engineering,online,When do the synapses in CA3 need to be plastic?,"['For pattern separation', 'For memory retrieval', 'For learning', 'All of the above']",For learning,2 +649,15076,Life Sciences Engineering,online,"Which statement about hippocampal synaptic plasticity, network oscillations and neuromodulation is true?","['Network oscillations in the hippocampus endow it with cognitive functions like learning and memory', 'Neuromodulation in the hippocampus gate synaptic plasticity and enhance network oscillations', 'The oscillations observed in the hippocampus are similar to those observed in other parts of the cortex', 'All of the above']",All of the above,3 +650,15076,Life Sciences Engineering,online,Which statements about cable theory are true?,"['The conductance for each ion stays the same all along the axon and dendrites', 'It quantifies the propagation of a signal along the axon and dendrites', 'The change in voltage over the distance is related to the change in voltage over time', 'The neuron is discretized to form several coupled compartments corresponding to parts of the axon and dendrites']",It quantifies the propagation of a signal along the axon and dendrites,1 +653,15076,Life Sciences Engineering,online,Why is a massive increase in model complexity a challenge?,"['Because computational capacity has not increased enough during the last century', 'Because existing scientific codes like NEURON are not adapted to use massively parallel systems', 'Because neuron networks cannot be simulated using parallel systems', 'It is not a challenge; very large models can be simulated on normal desktop computers since desktop computers have become much faster and have large storage capabilities']",Because existing scientific codes like NEURON are not adapted to use massively parallel systems,1 +654,15076,Life Sciences Engineering,online,Which of the following statements about theta activity are true?,"['Theta activity can be measured using EEG', 'Theta activity are observed in the hippocampus during deep sleep', 'Theta activity is the only oscillatory activity observed in the hippocampus', 'Theta activity could be correlated to behavior']",Theta activity can be measured using EEG,0 +655,15076,Life Sciences Engineering,online,Which statement about genetic metaheuristic optimization algorithms is not true?,"['They generate sets of parameter values that are used to generate and evaluate the resulting neuronal behaviour', 'The algorithms are based on biological evolution; they test the fitness of arbitrary individuals and allow the fittest to create mutated offspring', 'The algorithms find the optimal parameter values over the whole possible parameter space', 'The algorithms are recursive; they generate new sets of parameters based on the best ranking set of the previous iteration that are evaluated and ranked in turn']",The algorithms find the optimal parameter values over the whole possible parameter space,2 +656,15076,Life Sciences Engineering,online,Which statement concerning electrical types is true?,"['Each morphological type can have only one electrical type', 'Each electrical type corresponds to only one morphological type', 'A specific morphological type can have different electrical types, and vice-versa', 'None of the above']","A specific morphological type can have different electrical types, and vice-versa",2 +657,15076,Life Sciences Engineering,online,"Which statement about hippocampal synaptic plasticity, network oscillations and neuromodulation is not true?","['Network oscillations in the hippocampus endow it with cognitive functions like learning and memory', 'Only one form of synaptic potentiation and depression can be studied in the hippocampus', 'Neuromodulation in the hippocampus gate synaptic plasticity and enhance network oscillations', 'The oscillations observed in the hippocampus are similar to those observed in other parts of the cortex']",Only one form of synaptic potentiation and depression can be studied in the hippocampus,1 +658,15076,Life Sciences Engineering,online,What is the purpose of the Productivity Libraries?,"['Create a bibliography of all the references used for building the model', 'Allow simple use of specialized functionalities for complex workflows', 'Optimize the execution of the program for the platform used', 'Visualize the results of the simulations']",Allow simple use of specialized functionalities for complex workflows,1 +660,15076,Life Sciences Engineering,online,Why is the current used to calculate the extracellular potential?,"['It is not, membrane potential is used to calculate the extracellular potential', 'Because the current generates a uniform global increase in the whole extracellular fluid, like a strong water current in a lake raise the whole surface of the water', 'Because the extracellular fluid cannot conduct electrical current', 'Because, like a strong localized water current downstream of a dam, electrical current generate a “bulge” in the voltage']","Because, like a strong localized water current downstream of a dam, electrical current generate a “bulge” in the voltage",3 +661,15076,Life Sciences Engineering,online,How does damage to the hippocampus influence the ability to perceive time?,"['It does not influence the perception of time', 'It changes the perception of time in humans, but not animals', 'It is not known, as we have no way to study the encoding of time in the nervous system', 'It impairs the ability to recall the temporal order of events']",It impairs the ability to recall the temporal order of events,3 +663,15076,Life Sciences Engineering,online,How does pruning happen when reconstructing the connectome?,"['Too strong connections between cells are removed', 'Synapses are removed randomly until the model matches experimental data', 'Too weak connections between cells are removed', 'All of the above']",All of the above,3 +664,15076,Life Sciences Engineering,online,What is cable theory about?,"['It states that the conductance for each ion stays the same all along the axon and dendrites', 'It quantifies the propagation of a signal along the axon and dendrites', 'It states that the change in voltage over the distance is related to the change in voltage over time', 'It highlights the differences between an axon and an electric cable']",It quantifies the propagation of a signal along the axon and dendrites,1 +665,15076,Life Sciences Engineering,online,What are reasons to use a model?,"['Replace experiments in a more time-efficient manner', 'Integrate data, space and time scales', 'Study a system in a data-independent way', 'Simulate complex interactions and predict a system’s behavior']","Integrate data, space and time scales",1 +666,15076,Life Sciences Engineering,online,"According to the theory of complementary learning systems, which statements are true?","['The hippocampus is responsible for the learning process in memory, and the neocortex for memory recall', 'The neocortex is specialized in slow statistical learning of general information and the hippocampus for rapid learning of arbitrary stimuli combinations', 'The neocortex is responsible for the learning process in memory, and the hippocampus for memory recall', 'The hippocampus is specialized in slow statistical learning of general information and the neocortex for rapid learning of arbitrary stimuli combinations']",The neocortex is specialized in slow statistical learning of general information and the hippocampus for rapid learning of arbitrary stimuli combinations,1 +667,15076,Life Sciences Engineering,online,What are the two possible types of models explaining the formation of spatial representations in the hippocampus?,"['Feedforward models explain the properties of place cells relying on the activity of the cells to project to', 'Feedback or recurrent models rely on negative feedback of place cells to themselves to form a representation of the environment', 'Feedforward models combine the inputs of several other cells to explain the properties of place cells', 'Feedback or recurrent models explain the properties of place cells with the dynamics of the hippocampal network']",Feedforward models combine the inputs of several other cells to explain the properties of place cells,2 +668,15076,Life Sciences Engineering,online,Which of the following statements apply to data-driven models?,"['They are built based on a specific hypothesis, to answer a specific biological question', 'They might exclude important elements due to their minimalistic nature', 'They can be used to test multiple hypotheses', 'They can not identify new relationships between model variables']",They can be used to test multiple hypotheses,2 +669,15076,Life Sciences Engineering,online,What are the synaptic integration properties of a CA1 pyramidal neuron?,"['It receives two main inputs at the same location on its dendrites', 'It receives two main inputs, which are synchronized before following different pathways', 'The inputs reach the pyramidal neuron with a delay between them', 'Both inputs reach the dendrites of the pyramidal neuron at the same time']","It receives two main inputs, which are synchronized before following different pathways",1 +670,15076,Life Sciences Engineering,online,What determines the firing pattern of a neuron?,"['The length of its axon', 'Its neurotransmitter expression', 'Its expression of different sodium, potassium and calcium channels', 'The morphology of its soma']","Its expression of different sodium, potassium and calcium channels",2 +671,15076,Life Sciences Engineering,online,Which of the following statement concerning release probability isnottrue?,"['The depletion and replenishment rates of the vesicle pools affect the release probability', 'A high release probability always leads to a pronounced depression of the consequent EPSPs', 'A low release probability leads to a pronounced facilitation of the consequent EPSPs', 'When several release sites exist between two cells, not all sites release neurotransmitter in presence of an AP']",A high release probability always leads to a pronounced depression of the consequent EPSPs,1 +672,15076,Life Sciences Engineering,online,Which statement about network oscillations is false?,"['They are associated with LTP in the hippocampus', 'They are only present in the hippocampus, not in other cortical regions', 'They are critical for cognitive functions like learning and memory', 'Hippocampal slices are a good basic experimental model to study network oscillations']","They are only present in the hippocampus, not in other cortical regions",1 +674,15076,Life Sciences Engineering,online,How are different hippocampal cell types involved in modulating network oscillations?,"['All cell types contribute to all types of oscillations to the same extent', 'All cell types fire in a synchronous manner during ripple oscillations', 'Some cell types contribute more that other to specific network oscillations', 'Pyramidal cells are the only cell type which membrane potential does not go up and down in epochs during theta oscillations']",Some cell types contribute more that other to specific network oscillations,2 +675,15076,Life Sciences Engineering,online,Which statement about genetic metaheuristic optimization algorithms is true?,"['The algorithms find the optimal parameter values over the whole possible parameter space', 'It generates sets of parameter values (genotypes) that are used to generate and evaluate the resulting neuronal phenotype', 'It generates a large number of random sets of parameter values that are ranked according to goodness of fit, the best fitting one is selected as the final set', 'The algorithm uses several steps and generates new sets of parameters based on the best ranking set of the previous step']",It generates sets of parameter values (genotypes) that are used to generate and evaluate the resulting neuronal phenotype,1 +678,15076,Life Sciences Engineering,online,What are neuromodulators?,"['Cell populations that initiate or block network oscillations', 'Network oscillations that regulate synaptic plasticity', 'Specific stimuli used to experimentally study network oscillations', 'Chemical brain messengers like hormones or neuropeptides that modulate network activity']",Chemical brain messengers like hormones or neuropeptides that modulate network activity,3 +679,15076,Life Sciences Engineering,online,How is space encoded in the hippocampus?,"['Grid cells represent space in a coordinate system', 'Head direction cells encode in which cardinal direction the animal is facing', 'The activity of space cells correlates with the position and direction of the animal', 'The activity of some hippocampal cells correlate with the color of the environment of the animal']",Grid cells represent space in a coordinate system,0 +680,15076,Life Sciences Engineering,online,According to which properties are the more than 20 types of interneurons classified?,"['Their electrophysiological properties', 'The domain of the pyramidal cell that they target', 'Their specific molecular markers', 'Their synaptic connectivity', 'Their dendritic and axonal patterns']",Their electrophysiological properties,0 +681,15076,Life Sciences Engineering,online,What do the simple network explaining gamma oscillations and ripples have in common?,"['The same connectivity pattern', 'A high number of basket cells', 'Direct auto-inhibitory feedback loops acting on single basket cells', 'Feedback loops between pyramidal cells and inhibitory basket cells']",Feedback loops between pyramidal cells and inhibitory basket cells,3 +682,15076,Life Sciences Engineering,online,"In 1957, the amnesia of patient H.M. after surgery highlighted the importance of the hippocampus in memory encoding. Which type of memory is encoded in the hippocampus according to actual knowledge?","['Episodic memory', 'Semantic memory', 'Procedural memory', 'All of the above']",Episodic memory,0 +683,15076,Life Sciences Engineering,online,Which integration method should be used to solve ODEs with a large time step and why?,"['Crank-Nicolson, because there the error is proportional to dt2', 'Crank-Nicolson, because there is no net error proportional to dt', 'Backward Euler, because there the error is proportional to dt2', 'Backward Euler, because there is no net error proportional to dt']","Backward Euler, because there is no net error proportional to dt",3 +685,15076,Life Sciences Engineering,online,What are the main characteristics of the two possible types of models explaining the formation of cognitive maps by place cells in the hippocampus?,"['Feedforward models explain the properties of place cells relying on the activity of the cells they project to', 'Feedback or recurrent models explain the properties of place cells using external inputs and the internal dynamics of the hippocampal network', 'Feedforward models combine the inputs of several other cells to explain the properties of place cells', 'Feedback or recurrent models rely on negative feedback of place cells to themselves to form a representation of the environment']",Feedback or recurrent models explain the properties of place cells using external inputs and the internal dynamics of the hippocampal network,1 +686,15076,Life Sciences Engineering,online,How do neuromodulators work?,"['They originate in a hippocampal region that they then regulate', 'They organize changes in the excitability and synaptic properties of cell populations', 'They originate in subcortical regions below the hippocampus and target specific cell population and synapses', 'They change the connectivity patterns of their target cells']",They organize changes in the excitability and synaptic properties of cell populations,1 +687,15076,Life Sciences Engineering,online,Which statements about the hippocampus are true?,"['Its structure is well conserved among mammalian species', 'It has the same number of layers than the rest of the neocortex', 'There is one hippocampus in each temporal lobe', 'Its spherical structure makes the use of polar coordinates easy']",Its structure is well conserved among mammalian species,0 +688,15076,Life Sciences Engineering,online,What three types of neurotransmitter-containing vesicles can be found in a single neuron?,"['Excitatory, inhibitory and mixed vesicles', 'Fast-acting, long-acting and recycled vesicles', 'Immediately releasable, readily releasable and reserve vesicles', 'Lysosomes, peroxisomes and endosomes']","Immediately releasable, readily releasable and reserve vesicles",2 +689,15076,Life Sciences Engineering,online,"CA1 pyramidal cells have intrinsic dendritic nonlinearities. When modeled with detailed morphology and many ion channels, single cells were able to…","['Function as a recurrent network', 'Function equivalently to a two-layer artificial neural network', 'Learn by evolving towards fixed activity patterns', 'Represent simple functions, as long as they were linear']",Function equivalently to a two-layer artificial neural network,1 +690,15076,Life Sciences Engineering,online,Which statements about the type of network implemented in the hippocampus are true?,"['They often have fixed point attractors, stable patterns of activity towards which other patterns converge', 'They have all-to-all and symmetrical connections', 'The connections of the CA3 area form a nonlinear recurrent network that may implement auto-associative memory', 'They do not receive external inputs, but feedback from the output of the neurons in the network']","They often have fixed point attractors, stable patterns of activity towards which other patterns converge",0 +691,15076,Life Sciences Engineering,online,Which statements about the action of neuromodulators are true?,"['A specific cell can only be modulated by several different neuromodulators', 'A specific neuromodulator always has the same effect on all its target cells', 'Neuromodulators can influence a broad range of mechanisms on different time scales such as synaptic plasticity, network oscillations and neurogenesis', 'Receptors for neuromodulators are uniformly distributed across neurons in the hippocampus']",A specific cell can only be modulated by several different neuromodulators,0 +692,15076,Life Sciences Engineering,online,What effect did a brief train of stimuli have on the efficacy of synaptic transmission of excitatory synapses in CA1?,"['An increase in transmission efficacy that lasted hours', 'A decrease in transmission efficacy that lasted hours', 'A long-term loss of synaptic connections in the perforant path to granule cell synapses', 'An increase in transmission efficacy that a few milliseconds']",An increase in transmission efficacy that lasted hours,0 +694,15076,Life Sciences Engineering,online,What is the meaning of synaptic plasticity?,"['The ability of synapses to change their morphology in response to changes in their activity', 'The ability of synapses to change the type of neurotransmitter used by the postsynaptic cell in response to signals from the presynaptic cell', 'The ability of synapses to adapt to physical pressure and stress in order to maintain the necessary connections between neurons', 'The ability of synapses to strengthen or weaken over time in response to changes in their activity']",The ability of synapses to strengthen or weaken over time in response to changes in their activity,3 +695,15076,Life Sciences Engineering,online,Why was the hippocampus important in the study of plasticity?,"['Long-term potentiation was first described in the hippocampus', 'The first theories about synaptic plasticity are based on studies of the hippocampus', 'Durable long-term depression achieved through prolonged low frequency stimulation was observed in the hippocampus', 'Long-term depression requires direct feedback and is not present in a unidirectional network such as the hippocampus']",Long-term potentiation was first described in the hippocampus,0 +697,15076,Life Sciences Engineering,online,Which gold standard framework is used in this course for modeling and simulating neurons?,"['The programming language R for statistical computing', 'The computing system Wolfram Mathematica', 'The numerical simulation environment NEURON', 'All of the above']",The numerical simulation environment NEURON,2 +698,15076,Life Sciences Engineering,online,How is the model validated during the reconstruction process?,"['The model is compared to corresponding experimental data at each step of the reconstruction', 'The validation takes place when the whole circuit has been reconstructed and can be simulated', 'Since the modeling process is data-based, there is no need for further validation with other data', 'If a reconstructed cell exhibits the right electrical type, then its morphology and connections are validated']",The model is compared to corresponding experimental data at each step of the reconstruction,0 +699,15076,Life Sciences Engineering,online,">>The contribution of a neuron to the extracellular potential depends on the sum of all the currents crossing its membrane. If this sum must always be zero according to the principle of conservation of charge, how can the extracellular potential be different than zero?","['Because of extracellular currents that are independent from neurons', 'Because of the influence of intracellular currents on the extracellular potential', 'Because the sum of all currents is weighted, some weights are larger for closer current sources than for sources further away', 'All of the above']","Because the sum of all currents is weighted, some weights are larger for closer current sources than for sources further away",2 +700,15076,Life Sciences Engineering,online,Which coordinate system is used to indicate a point in the hippocampus?,"['Straight axes perpendicular to each other', 'Pole and polar axis', 'Longitudinal, transverse and radial axes', 'Homogeneous coordinates using a projective plane']","Longitudinal, transverse and radial axes",2 +701,15076,Life Sciences Engineering,online,Why is understanding how the brain work especially difficult?,"['Because several overlapping timescales must be considered', 'Because we do not have adapted experimental tools to study electrophysiology', 'Because the brain consists of many different elements with non-linear dynamics that interact in a complex way', 'Because the brain does not use task-specific solutions']",Because several overlapping timescales must be considered,0 +702,15076,Life Sciences Engineering,online,What is the spatial distribution of KAand Ihion channels in CA1 pyramidal neurons?,"['Both ion channels show a constant density in their lateral dendrites', 'The KA density increases with the distance to the soma, the Ih density stays constant', 'The density of both ion channels decreases when the distance to the soma increases', 'The density of both ion channels increases when the distance to the soma increases']",The density of both ion channels increases when the distance to the soma increases,3 +703,15076,Life Sciences Engineering,online,Why are models getting larger and larger with time?,"['Because the number of neurons in the models has increased', 'Because the number of synapses in the models has increased', 'Because the models are more detailed', 'All of the above']",All of the above,3 +704,15076,Life Sciences Engineering,online,What cannot be done in the NEURON GUI?,"['Import the 3D morphology of neurons', 'Define the architecture of the neuron network', 'Optimize the execution of the program for the platform used', 'Visualize the results of the simulations']",Optimize the execution of the program for the platform used,2 +706,15076,Life Sciences Engineering,online,What formula is the formula used for calculating the extracellular potential based on?,"['Ohm’s law, V = IR', 'Joule heating formula, P = I2R', 'The formula for the conductance, C = q/V', 'Coulomb’s law, |F| = ke|q1q2|/r2']","Ohm’s law, V = IR",0 +707,15076,Life Sciences Engineering,online,How are the contributions from several compartments and several neurons combined to obtain the extracellular potential at a specific location?,"['All the contributions from each compartment and each neuron are multiplied', 'All the contributions from each compartment and each neuron are added up', 'The contributions form all compartments from one neuron are added up to obtain the neuron’s contribution, and the contributions of each neuron are multiplied', 'The contributions form all compartments from one neuron are multiplied to obtain the neuron’s contribution, and the contributions of each neuron are added up']",All the contributions from each compartment and each neuron are added up,1 +708,15076,Life Sciences Engineering,online,Which statements concerning autoassociative networks are true?,"['All neurons are connected to all other neurons in a symmetric manner', 'they receive external inputs and feedback from the output of their neurons', 'They can store a limited number of pattern and that number is smaller than the number of neurons in the network', 'The number of patterns that can be stored depend on the connectivity of the network and the type of response of the neurons (graded, binary, spiking neurons, …)']",they receive external inputs and feedback from the output of their neurons,1 +712,15076,Life Sciences Engineering,online,What are some properties of long-term potentiation and long-term depression?,"['They always require protein synthesis', 'They can be induced within a very short time period of one second or less', 'The changes in synaptic weight typically last for hours', 'No further change can take place while a previously induced change in synaptic weight lasts']",They can be induced within a very short time period of one second or less,1 +713,15076,Life Sciences Engineering,online,How can extracellular simulations be used for model validation?,"['Since all parts of a detailed model come together to determine extracellular potentials, they help test the validity of how all pieces of the model are interacting', 'Extracellular potentials depend on synaptic physiology and an thus be used to validate the modeling of synaptic activity', 'Extracellular potentials are only calculated with a fully validated model and cannot be used to validate it', 'Different types of neuron morphologies will influence extracellular potentials differently, so that a biologically unrealistic network will not be validated by extracellular simulations']","Since all parts of a detailed model come together to determine extracellular potentials, they help test the validity of how all pieces of the model are interacting",0 +714,15076,Life Sciences Engineering,online,What are the levels of analysis for information processing systems?,"['Molecular, cellular and whole organism', 'Computational, algorithmic and implementational', 'Top-down and bottom-up', 'Milliseconds, seconds to minutes, days to months']","Computational, algorithmic and implementational",1 +715,15076,Life Sciences Engineering,online,What roles does the hippocampus play in memory according to standard theory?,"['Supporting late recall using patterns completed by the neocortex', 'Supporting early recall by learning in one shot and completing patterns in the neocortex', 'Directing consolidation by allowing the neocortex to integrate new memories into existing ones', 'Consolidating memories in response to neocortex-initiated replay of awake experiences during sleep']",Supporting early recall by learning in one shot and completing patterns in the neocortex,1 +717,15076,Life Sciences Engineering,online,"According to Hebb’s postulate, where in the synapse can the metabolic change causing plasticity take place?","['In the presynaptic bouton', 'In the postsynaptic spine', 'In both the presynaptic bouton and the postsynaptic spine', 'In the presynaptic neuron’s soma']",In both the presynaptic bouton and the postsynaptic spine,2 +718,15076,Life Sciences Engineering,online,Which of the following statement concerning release probability is not true?,"['The depletion and replenishment rates of the vesicle pools affect the release probability', 'A high release probability always leads to a pronounced depression of the consequent EPSPs', 'A low release probability leads to a pronounced facilitation of the consequent EPSPs', 'When several release sites exist between two cells, not all sites release neurotransmitter in presence of an AP']",A high release probability always leads to a pronounced depression of the consequent EPSPs,1 +720,15076,Life Sciences Engineering,online,What is CoreNEURON?,"['An optimized version of the compute engine of NEURON that does not include the interactive parts of NEURON', 'A function of NEURON that allows you to extract a core sub-network of your model', 'A version of neuron for beginners that includes only the core functions', 'A massively parallel supercomputer that is used to simulate most neuronal circuits']",An optimized version of the compute engine of NEURON that does not include the interactive parts of NEURON,0 +721,15076,Life Sciences Engineering,online,"When a back-propagating AP elicited in the soma happens simultaneously with a dendritic AP, the resulting AP has a higher amplitude. Which process is this a basis for?","['Spatial localization', 'Perception of time', 'Associative learning', 'Synapse pruning']",Associative learning,2 +722,15076,Life Sciences Engineering,online,What are the two types of cells in the local CA1 circuitry?,"['Inhibitory pyramidal cells and excitatory interneurons', 'Excitatory motor neurons and inhibitory interneurons', 'Excitatory pyramidal cells and inhibitory Purkinje cells', 'Excitatory pyramidal cells and inhibitory interneurons']",Excitatory pyramidal cells and inhibitory interneurons,3 +825,15058,Life Sciences Engineering,online,Which of the following assertions (2) about metaheuristic optimization are correct?,"['It makes few assumptions on the optimization problem', 'It guarantees to find the global optimum', 'It has the potential to make otherwise intractable problems at least approximately tractable', 'It does not depend on random numbers']",It makes few assumptions on the optimization problem,0 +826,15058,Life Sciences Engineering,online,What can be measured using a whole cell patch clamp – in conjunction with other techniques?,"['The connection profile, i.e. the number of connections a neuron has', 'The morphological profile, i.e. the 3d structure of a neuron', 'The electrophysiological profile, i.e. a recording of the voltage of the cell under different stimuli', 'The neighbor profile, the effect of the patched neuron on its neighbor', 'The molecular profile, i.e. the expression of different genes']","The morphological profile, i.e. the 3d structure of a neuron",1 +827,15058,Life Sciences Engineering,online,"In the video lecture, Idan stresses that the model of Hodgkin and Huxley was a particularly good model because:","['It replicated perfectly the action potential', 'It used relatively few variables', 'It was based on the physical properties of the axons', 'It predicted some emerging properties of the spike']",It predicted some emerging properties of the spike,3 +828,15058,Life Sciences Engineering,online,What states of spontaneous activity are predicted by the simulations of the microcircuit in various [Ca2+] conditions?,"['An asynchronous state in the low Ca2+ condition and a synchronous state in the high Ca2+ condition', 'A synchronous state in the low Ca2+ condition and an asynchronous state in the high Ca2+ condition', 'A stable steady state in the low Ca2+ condition and a unstable steady state in the high Ca2+ condition', 'A non-stable steady state in the low Ca2+ condition and a stable steady state in the high Ca2+ condition']",An asynchronous state in the low Ca2+ condition and a synchronous state in the high Ca2+ condition,0 +829,15058,Life Sciences Engineering,online,What is not an advantage of simulation of brain tissues over experiments with brain tissues?,"['The measurements made on virtual tissue are more valid than when experimenting on brain tissue', 'In the virtual tissue, we know all details from every neuron, thus we can get a global and deep view of the tissue', 'In the digital tissue, we can test hypotheses on the behavior of the full circuit that cannot be tested experimentally']",The measurements made on virtual tissue are more valid than when experimenting on brain tissue,0 +830,15058,Life Sciences Engineering,online,When developing an experiment one should record the so called minimal information for neuroscience datasets (MINDS). What does MINDS contain (3)?,"['Information about the method used (protocols, equipment and parameters used in experiments)', 'Information about the ethical background of an experiment (ethical committee discussion and approval)', 'Information on the subject (age, sex, species, strain)', 'Information on the brain location (using brain atlas parcellation or spatial coordinates/transforms)', 'Information about the funding used in the generation of the dataset']","Information about the method used (protocols, equipment and parameters used in experiments)",0 +831,15058,Life Sciences Engineering,online,What are the principal structural characteristics of the synapses?,"['Synapses can be detected using light microscopy', 'Synapses contain no organelles', 'Synapses release neurotransmitters upon voltage change', 'Neurotransmitters released activate ion channels on the post-synaptic dendrite']",Synapses release neurotransmitters upon voltage change,2 +832,15058,Life Sciences Engineering,online,What does the brain region ontology from the Allen institute provide?,"['3D boundaries of brain regions', 'Descriptions of the neuron types involved', 'Relationship between sub and supra brain regions', 'List of synaptic types present in each region', 'A standard name and abbreviation']",3D boundaries of brain regions,0 +833,15058,Life Sciences Engineering,online,What kind of connection has similar values for \(\tau_{facil}\) and \(\tau_{rec}\)?,"['A depressing synaptic connection', 'A pseudo-linear synaptic connection', 'A facilitating synaptic connection']",A pseudo-linear synaptic connection,1 +834,15058,Life Sciences Engineering,online,What is the principal outcome of simulation neuroscience?,"['The construction of a computer able to speak', 'The generation of equations describing the data generated by experimental neuroscientist', 'The unification of theoretical neuroscience and experimental neuroscience']",The unification of theoretical neuroscience and experimental neuroscience,2 +836,15058,Life Sciences Engineering,online,Multi-objective optimization may lead to non-unique solutions: solutions that are constrained on one parameter but show a large range in the other parameter. What should you do?,"['Change your search space to end up with a better set of trade-offs', 'Analyse the experimental data to decide whether this is an artefact or representation of biological diversity', 'Train the model with a more diverse set of currents']",Analyse the experimental data to decide whether this is an artefact or representation of biological diversity,1 +837,15058,Life Sciences Engineering,online,Which of the following statements (2) about the elementary signals carried by the neurons are correct?,"['Neurons have two elementary signals: the spike and the action potential', 'The action potential is found in the dendrites', 'The spike is found in the axons', 'The spike last up to 1 second', 'The action potential amplitude is in the range of 100mV']",The spike is found in the axons,2 +838,15058,Life Sciences Engineering,online,"In the equation for the synaptic conductance (see below), what does the second exponential term, \(e^{-t/\tau_1} \), represent?","['The time constant of the synaptic reversal potential', 'It depends on the value of \\(g_{peak}\\)', 'The rise of the post-synaptic conductance', 'The decay of the post-synaptic conductance']",The rise of the post-synaptic conductance,2 +840,15058,Life Sciences Engineering,online,For a given electrical type it is...,"['…impossible to predict when the cell reacts with an action potential to a stimulus', '…always possible to predict when the cell reacts with an action potential to a stimulus', '…in most cases, it is possible to predict when the cell reacts with an action potential to a stimulus']","…in most cases, it is possible to predict when the cell reacts with an action potential to a stimulus",2 +841,15058,Life Sciences Engineering,online,Which of the following statements about EPSP (excitatory post synaptic potential) are incorrect?,"['The EPSP is always the same', 'The EPSP show varying latency', 'There is always a EPSP', 'The rise and decay time are constant']",The EPSP is always the same,0 +842,15058,Life Sciences Engineering,online,Why is it so important to connect electrical profile to molecular profile?,"['Because we want to better understand the relationship between some channels and some electrical behavior', 'Because we want to be able to better classify our neuron types', 'Because we want to be able to predict electrical behavior from molecular profiles that are easier to obtain', 'Because these entities are superposed (one electrical type = one molecular profile) and it is important to know what is what']",Because we want to be able to predict electrical behavior from molecular profiles that are easier to obtain,2 +843,15058,Life Sciences Engineering,online,What are the goals of provenance metadata?,"['Provenance metadata help crediting all those involved in the data production and processing', 'Provenance metadata improve the quality of the data generated', 'Provenance metadata aim at boosting reproducibility (all steps involved in data production are recorded)', 'Provenance metadata improve trust in the data', 'Provenance metadata help addressing transparency issue in data generation', 'Provenance metadata aim at filtering the relevant data out of all the data generated']",Provenance metadata help crediting all those involved in the data production and processing,0 +844,15058,Life Sciences Engineering,online,Which dataset is not used to constrain neuron models?,"['Position of the membrane proteins', 'Shape of the axonal and dendritic tree', 'Electric properties of the neuron', 'Expression of different membrane proteins']",Electric properties of the neuron,2 +845,15058,Life Sciences Engineering,online,What did Santiago Ramòn y Cajal speculate based on the structure of the nerve cells he observed?,"['That the different neuron types have different electrical properties', 'That synapses are the structure that permits to pass signal between axons and dendrites', 'That there is a signal running through these cells', 'That dendritic spines are the point of contact of axons on dendrites']",That there is a signal running through these cells,2 +846,15058,Life Sciences Engineering,online,Why is it so important to connect electrical profile to a molecular profile?,"['Because we want to better understand the relationship between some channels and some electrical behavior', 'Because we want to be able to better classify our neuron types', 'Because we want to be able to predict electrical behavior from the molecular profile that are easier to obtain', 'Because these entities are superposed (one electrical type = one molecular profile) and it is important to know what is what']",Because we want to be able to predict electrical behavior from the molecular profile that are easier to obtain,2 +847,15058,Life Sciences Engineering,online,What causes current to be generated in the neurons?,"['The passive diffusion of ions along their concentration gradient in the cell through the membrane', 'Opening of membrane channel that allow ions to flow from outside to inside or vice-versa', 'Protein that can generate current from energy source such as the ATP', 'Depolarization of the membrane by ATP efflux pump']",Opening of membrane channel that allow ions to flow from outside to inside or vice-versa,1 +848,15058,Life Sciences Engineering,online,What could be suggested by failure in validation of microcircuit predictions?,"['Variations in the connectivity rules between the microcircuit and the tested brain region', 'Errors in experimental data', 'Insufficiency of the principles of organization used for the reconstruction', 'All of the above']",All of the above,3 +849,15058,Life Sciences Engineering,online,What can lead to incomplete reconstruction of the morphology?,"['Problems with slicing', 'Problems with fixation', 'Problems with staining']",Problems with slicing,0 +850,15058,Life Sciences Engineering,online,"The Rall’s Cable Model is based on an axial resistivity inside the dendrite, what is the source of this phenomenon in-vivo?","['The post-synaptic current is diminished by active ion channels that counteract it', 'Some post-synaptic current is loss due to dilution of the ions carrying it', 'The internal medium of the cell has some resistance', 'The post-synaptic current leaks out due to permeability of the membrane to ions']",The internal medium of the cell has some resistance,2 +851,15058,Life Sciences Engineering,online,How should you validate your reconstruction efforts?,"['One should validate in an upward direction, i.e. against emerging properties of the system.', 'One should validate in a downward direction, e.g. if a neuron is modeled well then it follows that ion channels should have the correct properties', 'One should validate both upward and downward, i.e. against both receding and emerging properties of the system']","One should validate in an upward direction, i.e. against emerging properties of the system.",0 +852,15058,Life Sciences Engineering,online,What is the electrical circuit equivalent of the Nernst potential?,"['A resistor', 'A battery', 'A conductor', 'A capacitance']",A battery,1 +853,15058,Life Sciences Engineering,online,What parameters (2) that we use for building a realistic model of a specific neuron are almost inaccessible?,"['Electrical behavior of the neuron', 'Channel distribution in the neuron', 'Morphology of the neuron', 'Kinetic of the ion channels', 'Maximal conductance of the ion channel']",Channel distribution in the neuron,1 +854,15058,Life Sciences Engineering,online,What is the main caveat of individual research?,"['It generates too many papers', 'Difficulty to reproduce experimental results', 'Every individual researcher focuses on the same topic', 'Data is never shared']",Difficulty to reproduce experimental results,1 +855,15058,Life Sciences Engineering,online,What would be the effect on the Nernst potential if all the potassium ions lose an electron?,"['The Nernst potential would be null', 'It would be halved', 'It would be doubled', 'There would be no effect']",It would be halved,1 +856,15058,Life Sciences Engineering,online,What kind of features can you get from morphological studies?,"['Volume of the soma', 'Number of ion channels in a dendrite', 'Dendrites horizontal extend', 'Frequency of the action potential', 'Dendrite branching angle', 'Frequency of branching']",Volume of the soma,0 +857,15058,Life Sciences Engineering,online,What can you do from the averaged features of one neuron class?,"['The averaged features can be used to clone statistically similar neurons', 'The averaged features can be used to repair the morphology of sliced neurons', 'The averaged features can be used to define rules used to synthetize new neurons', 'The averaged features can be used to statistically create new morphological classes']",The averaged features can be used to clone statistically similar neurons,0 +859,15058,Life Sciences Engineering,online,Which of the following statements about axons structure are correct?,"['Axons are limited to a local area', 'Axons end in only one point', 'Axons branch to form the axonal trees', 'Axonal buttons are the point where signal is transmitted to dendrites']",Axons branch to form the axonal trees,2 +860,15058,Life Sciences Engineering,online,What does the α’s and β’s that characterize the opening and closing of membrane channel depend on?,"['On time and voltage', 'On time only', 'On voltage only']",On voltage only,2 +861,15058,Life Sciences Engineering,online,How does the response of the mesocircuit to stimulating thalamic activation differ between in-vitro-like and in-vivo-like conditions?,"['The evoked activity remained localized under in-vitro-like conditions, while it spread to the whole circuit under in-vivo-like conditions', 'The evoked activity remained localized under in-vivo-like conditions, while it spread to the whole circuit under in-vitro-like conditions', 'In-vitro-like or in-vivo-like conditions do not influence the response of the mesocircuit', 'Only in-vivo-like conditions were used during simulations']","The evoked activity remained localized under in-vivo-like conditions, while it spread to the whole circuit under in-vitro-like conditions",1 +862,15058,Life Sciences Engineering,online,What is the relationship between the microcircuit predictions and experimental results concerning the minimal spatial segregation for two stimuli to be discriminated?,"['There are no microcircuit predictions on this topic', 'There are no experimental results on this topic', 'The experimental results showed a larger minimal spatial segregation', 'The experimental results showed a smaller minimal spatial segregation']",There are no experimental results on this topic,1 +863,15058,Life Sciences Engineering,online,Which ion channels are responsible for the depolarization of the cells during a spike?,"['Voltage gated sodium channels', 'Non-voltage gated sodium channels', 'Non-voltage gated potassium channels', 'Voltage gated potassium channels']",Voltage gated sodium channels,0 +864,15058,Life Sciences Engineering,online,There are 40 genes coding for voltage activated potassium channels. How many different potassium channel are there?,"['Exactly 40 channels. All channels are homomeric', 'Only about 35 channels as the 40 genes mentioned include some pseudogenes', 'Due to the possibility to form heteromeric channels, there are more than 40 potassium channels', 'Exactly 20 channels. Each channel is the combination of two precise subunits']","Due to the possibility to form heteromeric channels, there are more than 40 potassium channels",2 +865,15058,Life Sciences Engineering,online,"In the video on data strategies, Prof Markram identifies several properties of synapses that are useful for simulation neuroscience. Which are these?","['The 3-dimensional morphology of the synapses', 'The number of synapses per connection', 'The voltage produced by a synaptic event on the receiving hand of the neurons pair', 'The current transferred through the synapses between a pair of neurons', 'The effect of chemical compounds on the synapses']",The number of synapses per connection,1 +866,15058,Life Sciences Engineering,online,What are membrane ion channels (3)?,"['Proteins that pump ions against the gradient of concentration', 'Proteins that allow the diffusion of ions along the gradient of concentration', 'Proteins that are actively opened and closed', 'Proteins that are specific for some ions', 'Proteins that are always sensitive to voltage']",Proteins that allow the diffusion of ions along the gradient of concentration,1 +867,15058,Life Sciences Engineering,online,What type of optimization algorithm is used by BluePyOpt?,"['Particle swarm algorithm', 'Evolutionary algorithm', 'Simulated annealing']",Evolutionary algorithm,1 +868,15058,Life Sciences Engineering,online,What parameters (2) needed to build a realistic model of a specific neuron are currently difficult to obtain experimentally?,"['Electrical behavior of the neuron', 'Channel distribution in the neuron', 'Morphology of the neuron', 'Kinetic of the ion channels', 'Maximal conductance of the ion channel']",Channel distribution in the neuron,1 +869,15058,Life Sciences Engineering,online,What biological phenomena (3) do genetic algorithms emulate?,"['Reproduction', 'Mutation', 'Decomposition', 'Natural selection', 'Fermentation']",Reproduction,0 +870,15058,Life Sciences Engineering,online,What does a resting potential (\(V_{rest}\)) of -70mV means?,"['That the cell is generating net electrical current', 'That at rest, with no current, the inside of the cell is 70mV higher than the outside of the cell', 'That at rest, with no current, the outside of the cell is 70mV higher than the inside of the cell', 'That the capacitance of the membrane is charged to 70mV']","That at rest, with no current, the outside of the cell is 70mV higher than the inside of the cell",2 +871,15058,Life Sciences Engineering,online,Which of the following statements (3) about synaptic connections are true?,"['Facilitating synaptic connections can generate a spike when a certain threshold is reached', 'Inhibitory synaptic connections are only found on the soma', 'Chandelier cells can form synaptic connections directly targeting axons', 'Synaptic connections produce the same post-synaptic potentials in the efferent neuron', 'A spike in the afferent neuron does not always produce a release of a vesicle']",Facilitating synaptic connections can generate a spike when a certain threshold is reached,0 +872,15058,Life Sciences Engineering,online,On what does the synaptic reversal potential depend?,"['On the Nernst potential of the ion type(s) that will flow through the receptor once open', 'On the number of ions types that can pass through the receptor once open', 'On the strength of the neurotransmitters binding the receptor', 'On the neurotransmitter. Some generate more current once bound than others.']",On the Nernst potential of the ion type(s) that will flow through the receptor once open,0 +873,15058,Life Sciences Engineering,online,What details are omitted in the reconstruction of the microcircuit (2)?,"['Dynamics of synaptic transmission', 'Ion channel densities', 'Gap junctions', 'Glia']",Gap junctions,2 +874,15058,Life Sciences Engineering,online,Which of the following statements about neurotransmitters receptors is true?,"['Receptors are sensitive to voltage and close after the cell depolarizes', 'Receptors close upon binding of neurotransmitters', 'Receptors open when the neurotransmitters are degraded', 'Receptors are ion channels that are sensitive to neurotransmitters']",Receptors are ion channels that are sensitive to neurotransmitters,3 +875,15058,Life Sciences Engineering,online,What is the result of the multi-objective optimization?,"['a model solution that is closest to experimental data', 'a set of non-dominant solutions', 'a solution that has the lowest variability']",a set of non-dominant solutions,1 +876,15058,Life Sciences Engineering,online,What is the main difference between spikes and post-synaptic potentials?,"['The amplitude of the spike can vary while the PSP never does', 'Spikes are generated via ion-based current while PSP are not', 'Spikes are a digital (all or nothing signal) while PSP are analog', 'Spikes and PSP are the same phenomenon but in different location of the cell']",Spikes are a digital (all or nothing signal) while PSP are analog,2 +877,15058,Life Sciences Engineering,online,Which factors determine the electrical type of a neuron?,"['The density and location of each ion channel type', 'The kinetic properties of each ion channel type', 'The density of cholesterol in the membrane', 'The location of lipid rafts in the membrane']",The density and location of each ion channel type,0 +879,15058,Life Sciences Engineering,online,What are the three metadata types?,"['Descriptive, structural and formative', 'Organizational, structural and administrative', 'Descriptive, characterizing and administrative', 'Descriptive, structural and administrative']","Descriptive, structural and administrative",3 +880,15058,Life Sciences Engineering,online,What type of connections (1) have \(τ_{1}\) lower than \(τ_{2}\)?,"['A depressing synaptic connection', 'A pseudo-linear synaptic connection', 'A facilitating synaptic connection']",A facilitating synaptic connection,2 +881,15058,Life Sciences Engineering,online,What does IR-DIC stand for?,"['Infrared Differential Cumulative Microscopy', 'Infrared Differential Contrast Microscopy', 'Infrared Deterministic Contrast Microscopy', 'Infrared Deterministic Cumulative Microscopy']",Infrared Differential Contrast Microscopy,1 +882,15058,Life Sciences Engineering,online,A neuron X receives input from 10 other neurons. The exact same train of spikes is injected in the 10 neurons. What do the EPSPs look like if we record in the cell body of neuron X?,"['The EPSPs look all the same', 'The EPSPs look different. They depend on the location of the connection', 'The EPSPs look different. They depend on the type of the connection', 'The EPSPs look different. They are blurred by other perturbations']",The EPSPs look different. They depend on the location of the connection,1 +883,15058,Life Sciences Engineering,online,What characterizes a facilitating synaptic connection?,"['If a train of spike arrives from the afferent neuron, the efferent neuron will react with post-synaptic potential of increasing amplitude', 'If a train of spike arrives from the afferent neuron, the efferent neuron will react with post-synaptic potential of random amplitude', 'If a train of spike arrives from the afferent neuron, the efferent neuron will react with post-synaptic potential of decreasing amplitude', 'If a train of spike arrives from the afferent neuron, the efferent neuron will react with post-synaptic potential of a fixed amplitude']","If a train of spike arrives from the afferent neuron, the efferent neuron will react with post-synaptic potential of increasing amplitude",0 +884,15058,Life Sciences Engineering,online,A layer 5 pyramidal neuron X is connected to another layer 5 pyramidal neuron Y. You stimulate neuron X to deliver a high frequency train of spikes. After a short pause (in the order of 500ms) you re-stimulate cell X to deliver one spike. What is the amplitude of the EPSP of cell Y?,"['EPSP amplitude is higher than the last EPSP from the first train of spikes', 'EPSP amplitude gets higher than the first EPSP from the train of spikes', 'EPSP amplitude is lower than the first EPSP from the train of spikes', 'EPSP amplitude is lower than the last EPSP from the train of spikes']",EPSP amplitude is higher than the last EPSP from the first train of spikes,0 +885,15058,Life Sciences Engineering,online,Which of the following statements about ions channels are incorrect?,"['Ion channels are transmembrane proteins', 'Ion channels allow the passage of all ions', 'Ion channels actively pump ions out of the cells', 'All ion channels are voltage gated', 'Calcium flows from outside inside', 'Some ion channels are calcium gated', 'Potassium flows from outside to inside']",Ion channels allow the passage of all ions,1 +886,15058,Life Sciences Engineering,online,Which of the following statements are part of the suggested best laboratory practice for data capture?,"['Be creative when using vocabularies for metadata values', 'Use electronic notebooks and a Laboratory Information Management System (LIMS)', 'Information about the specimen is compulsory', 'Protocols should not be included as they are standard procedure', 'Curate the data (select the high-quality data and flag data with questionable quality)']",Use electronic notebooks and a Laboratory Information Management System (LIMS),1 +888,15058,Life Sciences Engineering,online,What can be measured using a whole cell patch clamp?,"['The connection profile, i.e. the number of connection a neuron has', 'The morphological profile, i.e. the 3d structure of a neuron', 'The electrophysiological profile, i.e. a recording of the voltage of the cell under different stimuli', 'The neighbor profile, the effect of the patched neuron on its neighbor', 'The molecular profile, i.e. the expression of different genes']","The morphological profile, i.e. the 3d structure of a neuron",1 +889,15058,Life Sciences Engineering,online,What type of data are recorded when analyzing ion channels for simulation neuroscience?,"['The dynamics of their opening and closing', 'The solubility of the ion channels in an aqueous solution', 'The location of the different channels in the cell', 'The structure of the ion channels', 'The amino acids composition of each channel type', 'The amount of current that can pass through each channel type']",The dynamics of their opening and closing,0 +890,15058,Life Sciences Engineering,online,How do neurons generate different membrane voltage profiles?,"['By the different modulator present in the surrounding of the cells', 'By the combination of different channels with different kinetics', 'By the interaction with the glial cells', 'By the combination of different neurotransmitter than generate the spike']",By the combination of different channels with different kinetics,1 +891,15058,Life Sciences Engineering,online,Which of the following statements about text mining are false?,"['Text mining is only possible if a text follows a precise ontology', 'Text mining can be used to fill up some atlases missing data', 'Text mining can be used to link paper to specific parameters values in a model', 'Precision of connectivity extracted from the literature is below 50%', 'It is impossible to find the connectivity of brain regions using text mining']",Text mining is only possible if a text follows a precise ontology,0 +892,15058,Life Sciences Engineering,online,What controls the resting potential of the neurons?,"['The resting potential of the neurons is mainly the effect of calcium that leaks through open channels that are not sensitive to voltage(\\(Ca_{2p}, Ca_{ir}\\))', 'The resting potential of the neurons is mainly the effect of potassium that leaks through open channels that are not sensitive to voltage (\\(K_{2p}, K_{ir}\\))', 'The resting potential of the neurons is mainly the effect of sodium that leaks through channels that are not sensitive to voltage (\\(Na_{2p}, Na_{ir}\\))']","The resting potential of the neurons is mainly the effect of potassium that leaks through open channels that are not sensitive to voltage (\(K_{2p}, K_{ir}\))",1 +893,15058,Life Sciences Engineering,online,What other parameter (besides the time constants \(\tau_{facil}\) and \(\tau_{rec}\)) is changing between facilitating and depressing synaptic connections?,"['None of the parameters change in relation to depressing/facilitating synapses', 'The initial \\(U_{SE}\\) in facilitating connections is larger than for depressing connections', 'The conductance of the synapse, \\(g_{syn}\\), changes between facilitating and depressing synaptic connections', 'The initial \\(U_{SE}\\) for facilitating connections is lower than for depressing connections.']",The initial \(U_{SE}\) for facilitating connections is lower than for depressing connections.,3 +894,15058,Life Sciences Engineering,online,"In the video lecture on ion channels, Prof Markram explains why we build classes of ion channels and not directly the actual individual ion channels. Why is this?","['Because they are theoretically correct', 'Because they are easier to manipulate for simulations', 'Because there is no catalogue of all possible channels']",Because there is no catalogue of all possible channels,2 +896,15058,Life Sciences Engineering,online,Which of the following statements (2) correspond to metabotropic receptor-based synapses?,"['These synapses use neurotransmitters such as glutamate, GABA or glycine', 'These synapses use neurotransmitters such as monoamines and neuropeptides.', 'These synapses can act through a phenomenon called ‘diffuse’ connection, where an axon ‘sprays’ all surrounding dendrites', 'These synapses act on focused points of contact']",These synapses use neurotransmitters such as monoamines and neuropeptides.,1 +897,15058,Life Sciences Engineering,online,What is generating the fluctuation observed when recording voltage in the dendrites over time?,"['Concurrent inhibitory and excitatory synaptic potentials', 'Random fluctuation in the voltage of the dendrites', 'White noise from the recording device']",Concurrent inhibitory and excitatory synaptic potentials,0 +898,15058,Life Sciences Engineering,online,What happens to the shape of the post-synaptic potential with increasing distance from the source?,"['It maintains its shape while the amplitude decreases', 'It changes shape by becoming narrower while decreasing its amplitude', 'Amplitude is constant but the shape changes by becoming broader', 'The amplitude decays sharply as the distance increases and the shape becomes broader']",The amplitude decays sharply as the distance increases and the shape becomes broader,3 +901,15058,Life Sciences Engineering,online,If a neurotransmitter binds to a receptor with a channel specific for potassium what kind of postsynaptic potential will we get?,"['An IPSP as the potassium current flows from inside to outside', 'An EPSP as the potassium current flows from outside to inside', 'An IPSP as the potassium current flows from outside to inside', 'It depends on the synaptic conductance for potassium']",An IPSP as the potassium current flows from inside to outside,0 +903,15058,Life Sciences Engineering,online,What are membrane ion channels?,"['Proteins that pump ion against the gradient of concentration', 'Proteins that distinguish neurons from other cells', 'Proteins that allow the diffusion of ions from areas with high to areas with low concentrations', 'Proteins that can be actively opened and closed', 'Proteins that allow any ion to pass through']",Proteins that allow the diffusion of ions from areas with high to areas with low concentrations,2 +904,15058,Life Sciences Engineering,online,What are the principles of simulation neuroscience?,"['Iteratively reconstruct and test', 'Dense reconstruction from sparse data', 'Top-down decomposition of the brain properties', 'Reconstruct bottom-up']",Iteratively reconstruct and test,0 +905,15058,Life Sciences Engineering,online,Which of the following assertions about metaheuristic parameter optimization are correct?,"['It makes few assumptions on the optimization problem', 'It guarantees to find the global optimum', 'It has the potential to make otherwise intractable problems at least approximately tractable', 'It does not depend on random numbers']",It makes few assumptions on the optimization problem,0 +907,15058,Life Sciences Engineering,online,What are the properties of synaptic facilitation?,"['It acts like a band pass filter', 'When the frequency of the presynaptic spike increases, the amplitude of the EPSP first increases and then decreases', 'It acts like a low pass filter', 'When the frequency of the presynaptic spike increases, the amplitude of the EPSP first decreases and then increases']",It acts like a band pass filter,0 +909,15058,Life Sciences Engineering,online,Question 3: Which of the following statements about action potentials (or spikes) are true?,"['Spikes are generally found in axons', 'The spikes are in the order of 10mV', 'The spikes are lasting around 1ms', 'Spikes are generally found in dendrites']",Spikes are generally found in axons,0 +910,15058,Life Sciences Engineering,online,What are the main steps to go from a lot of small data to big data?,"['Make the data discoverable', 'Standardized the metadata', 'Organized that data by scale of investigation', 'Store the data in one server', 'Make them accessible (machine readable)']",Make the data discoverable,0 +911,15058,Life Sciences Engineering,online,Which of the following statements (4) about NMDA receptors are true?,"['NMDA receptors are blocked by a magnesium ion when not active', 'NMDA receptors conduct only if the membrane is already slightly depolarized (~ -30mV) and glutamate is present', 'The release of magnesium blocks of the NMDA receptors depends only on voltage', 'NMDA receptors are responsible for many intracellular effects including long term potentiation (LTP)', 'NMDA receptors are permeable to calcium and sodium']",NMDA receptors are blocked by a magnesium ion when not active,0 +912,15058,Life Sciences Engineering,online,Why is the cell membrane represented as a capacitance in the electrical circuit?,"['Because the presence of many ion channels in the membrane attract all ions close by, misbalancing the ion charge and hence charging and turning the membrane in a capacitance', 'Because most of the membrane does not allow charges to flow through and behaves like a capacitance by accumulating charges.']",Because most of the membrane does not allow charges to flow through and behaves like a capacitance by accumulating charges.,1 +913,15058,Life Sciences Engineering,online,What is the ‘electrical trick’ of neurons to change the potential?,"['Rapid increase of membrane capacitance', 'Rapid change in the conductance', ""Rapid grounding of the cells' body""]",Rapid change in the conductance,1 +915,15058,Life Sciences Engineering,online,Which of these statements about the ontologies created by the Blue Brain project are false?,"['Synaptic ontology is based on pre/post synaptic morpho-electrical type', 'All morpho-electric types exists', 'Only the initial firing rate is considered for electrical type definition', 'Synaptic ontology considers kinetics', 'There are 205 neuron morphologies', 'Synaptic ontology is based on postsynaptic morpho-electrical type only', 'Regularity of the spike is one of the characteristics defining the electrical type of the neuron']",All morpho-electric types exists,1 +916,15058,Life Sciences Engineering,online,"In the equation for the synaptic conductance (see below), what does the first exponential term represent?","['It depends on what the synaptic battery is', 'It depends on what the value of \\(g_{peak}\\) is', 'The raise of the post-synaptic conductance', 'The decrease of the post-synaptic conductance']",The raise of the post-synaptic conductance,2 +917,15058,Life Sciences Engineering,online,What is the first principle of simulation neuroscience?,"['Sparse data generation from simulation', 'Reconstruction based on complete data', 'Dense reconstruction from sparse data']",Dense reconstruction from sparse data,2 +918,15058,Life Sciences Engineering,online,How did the authors reproduce the diversity observed in biological experiments in the microcircuit (2)?,"['By reconstructing the microcircuit based on biological data from several animals', 'By adding noise to the inputs of the microcircuit', 'By stochastically creating instantiations of the microcircuit that reflect biological distributions', 'By randomly choosing the number of each m-type and e-type neurons present in the microcircuit for each instantiation']",By reconstructing the microcircuit based on biological data from several animals,0 +919,15058,Life Sciences Engineering,online,What did Hodgkin and Huxley use to generate a spike in their first experiment?,"['They used neurotransmitters to stimulate the dendrites', 'They raised the chloride concentration outside of the axon', 'They injected current in the axon to depolarize the cell', 'They raised the potassium concentration outside of the axon']",They injected current in the axon to depolarize the cell,2 +920,15058,Life Sciences Engineering,online,Which of the following statements is true?,"['Individual synaptic potentials stay constant in amplitude along the dendrites and their shape changes while propagating from their site of origin', 'EPSPs can locally be much higher than when they reach the soma', 'Only one EPSP can be sufficient to cross the thresholds for spike initiation in the axon', 'The location of the synapse is not important for the EPSP effect on the soma/axon.']",EPSPs can locally be much higher than when they reach the soma,1 +921,15058,Life Sciences Engineering,online,Which characteristics are used by the Blue Brain to define the microcircuit ontology?,"['Minimum boundaries to create a complete microcircuit based on axonal boutons saturation', 'Morphological, electrical and morpho-electrical type density distributions', 'Relative density of axonal boutons compared to total brain count', 'Synapse type map']","Morphological, electrical and morpho-electrical type density distributions",1 +922,15058,Life Sciences Engineering,online,What are the essential parts (3) of a brain atlas?,"['A morphological description of the neurons in each region', 'A coordinate space defined by a 3D template', 'A gene expression profile, defining each region', 'An ontology defining names and relationships between regions', 'A parcellation: 3D boundaries of brain regions', 'An electrical definition of neurons in each region']",A coordinate space defined by a 3D template,1 +923,15058,Life Sciences Engineering,online,"What is the integration hierarchy, from low to high, for simulation neuroscience data?","['Ions channels are component of the synapses; synapses are component of the neurons; neurons are component of brain microcircuit', 'Ions channels are present in neurons; synapses connect neurons; connected neurons form microcircuit', 'Microcircuit are composed of connected neurons; neurons are connected by synapses; ions channels are present in neurons']",Ions channels are present in neurons; synapses connect neurons; connected neurons form microcircuit,1 +960,15002,Computer Science,master,"Using a 2-gram language model, what is the probability of""how old are you""knowing that:\( P(\text{are})= 3 \times 10^{-3} \\ +P(\text{how})= 8 \times 10^{-4} \\ +P(\text{old})= 9 \times 10^{-4} \\ +P(\text{you})= 6 \times 10^{-3} \)\( P(\text{are}|\text{old})= 4\times 10^{-3} \\ +P(\text{are}|\text{you})= 10^{-2} \\ +P(\text{how}|\text{old})= 3\times 10^{-6} \\ +P(\text{old}|\text{are})= 2\times 10^{-3} \\ +P(\text{old}|\text{how})= 5\times 10^{-3} \\ +P(\text{you}|\text{are})= 7\times 10^{-4} \)","['\\( 8 \\times 9 \\times 3 \\times 6 \\times 10^{-14} \\)', '\\( 8 \\times 3 \\times 2 \\times 10^{-15} \\)', '\\( 8 \\times 5 \\times 4 \\times 7 \\times 10^{-14} \\)', '\\( 3 \\times 2 \\times 6 \\times 10^{-14} \\)', '\\( 8 \\times 3 \\times 2 \\times 10^{-4} / (9 \\times 3 \\times 6) \\)', '\\( 8 \\times 5 \\times 4 \\times 7 \\times 10^{-3} / (9 \\times 3 \\times 6) \\)', '\\( 3 \\times 2 \\times 6 \\times 10^{-3} / (8 \\times 9 \\times 3) \\)']",\( 8 \times 5 \times 4 \times 7 \times 10^{-14} \),2 +962,15002,Computer Science,master,"What word could be associated to the following definition: ""Related to a selection in advance""?","['selectionally', 'preselection', 'retroselection', 'preselectional']",preselectional,3 +966,15002,Computer Science,master,Select the answer that correctly describes the differences between formal and natural languages. ,"['Formal languages are by construction explicit and non-ambiguous while natural languages are implicit and ambiguous', 'Formal languages are by construction implicit and non-ambiguous while natural languages are explicit and ambiguous', 'Formal languages are by construction explicit and ambiguous while natural languages are implicit and non-ambiguous']",Formal languages are by construction explicit and non-ambiguous while natural languages are implicit and ambiguous,0 +969,15002,Computer Science,master,"Consider the table of term frequencies for 3 documents D1, D2, and D3D1      D2      D3car740auto330insurance     037Considering the bag of words model , with TF-IDF weightning and cosine similarity metric, which document (D1, D2 or D3) is most relevant to the following query:""car insurance""","['D1', 'D2', 'D3']",D2,1 +973,15002,Computer Science,master,"For each of the sub-questions of this question (next page), tick/check the corresponding box if the presented sentence is correct +at the corresponding level (for a human). There will be a penalty for wrong boxes ticked/checked.Some sentences is hard understand to.","['lexical', 'syntactic', 'semantic', 'pragmatic', 'none of the above is correct']",lexical,0 +976,15002,Computer Science,master,Select all true statements.A penalty will be applied for any incorrect answers.,"['The k-means algorithm always converges because at each step it minimizes the intra-class variance.', 'The k-NN algorithm is a non-hierarchical, non-overlapping clustering method.', 'The k-means algorithm always converges into a global minimum.', 'In mapping methods used for visualization, the target space is considered a sub-space of the original space.', 'In textual classification, the objects are always full length documents.', 'Non-parametric methods for classification does not involve any parameter.']",The k-means algorithm always converges because at each step it minimizes the intra-class variance.,0 +981,15002,Computer Science,master,"Consider the following lexicon \(L\): +boy : Adj, N +boys : N +blue : Adj, N +drink : N, V +drinks : N, V +Nice : Adj, N + +When using an order-1 HMM model (using \(L\)) to tag the word sequence:""Nice boys drink blue drinks""does the tag of drink depend on the tag of nice? + +","['yes, because the HMM approach relies on a global maximum.', 'no, the hypotheses make the two tags independent from each other.']","no, the hypotheses make the two tags independent from each other.",1 +995,15002,Computer Science,master,"Consider the following context-free grammar \(G\) (where \(\text{S}\) is the top-level symbol): + +\(R_{01}: \text{S} \rightarrow \text{NP VP}\) +\(R_{02}: \text{NP} \rightarrow \text{NP0}\) +\(R_{03}: \text{NP} \rightarrow \text{Det NP0}\) +\(R_{04}: \text{NP0} \rightarrow \text{N}\) +\(R_{05}: \text{NP0} \rightarrow \text{Adj N}\) +\(R_{06}: \text{NP0} \rightarrow \text{NP0 PNP}\) +\(R_{07}: \text{VP} \rightarrow \text{V}\) +\(R_{08}: \text{VP} \rightarrow \text{V NP}\) +\(R_{09}: \text{VP} \rightarrow \text{V NP PNP}\) +\(R_{10}: \text{PNP} \rightarrow \text{Prep NP}\) + +complemented by the lexicon \(L\): +a : Det +blue : Adj, N +drink : N, V +drinks : N, V +friends : N +from : Prep +gave : V +letter : N +my : Det +neighbor : N +nice : Adj, N +of : Prep +postman : N +ran : V +the : Det +to : PrepIf the notation \(T(w)\) is used to refer to the rule \(T \rightarrow w\), which of the following correspond to valid derivations according to the grammar \(G\)?(Penalty for wrong ticks.)","['\\(R_{01}, R_{08}, R_{02}, R_{04}, \\text{N}(\\text{letter}), \\text{V}(\\text{ran}), R_{03}, \\text{Det}(\\text{the}), R_{04}, \\text{N}(\\text{drinks})\\)', '\\(R_{01}, R_{03}, \\text{Det}(\\text{a}), R_{05}, \\text{Adj}(\\text{blue}), \\text{N}(\\text{drink}), R_{07}, \\text{V}(\\text{ran})\\)', '\\(R_{01}, R_{02}, R_{04}, \\text{N}(\\text{friends}), R_{09}, \\text{V}(\\text{gave}), R_{02}, \\text{N}(\\text{postman})\\)']","\(R_{01}, R_{03}, \text{Det}(\text{a}), R_{05}, \text{Adj}(\text{blue}), \text{N}(\text{drink}), R_{07}, \text{V}(\text{ran})\)",1 +1009,15002,Computer Science,master,What are the outputs produced by a morphological analyzer?You will get a penalty for wrong ticks.,"['canonical representations', 'surface forms', 'association between canonical representations and surface forms', 'association between surface forms and canonical representations']",canonical representations,0 +1014,15002,Computer Science,master,"Consider the following context-free grammar \(G\) (where \(\text{S}\) is the top-level symbol): + +\(R_{01}: \text{S} \rightarrow \text{NP VP}\) +\(R_{02}: \text{NP} \rightarrow \text{NP0}\) +\(R_{03}: \text{NP} \rightarrow \text{Det NP0}\) +\(R_{04}: \text{NP0} \rightarrow \text{N}\) +\(R_{05}: \text{NP0} \rightarrow \text{Adj N}\) +\(R_{06}: \text{NP0} \rightarrow \text{NP0 PNP}\) +\(R_{07}: \text{VP} \rightarrow \text{V}\) +\(R_{08}: \text{VP} \rightarrow \text{V NP}\) +\(R_{09}: \text{VP} \rightarrow \text{V NP PNP}\) +\(R_{10}: \text{PNP} \rightarrow \text{Prep NP}\) + +complemented by the lexicon \(L\): +a : Det +blue : Adj, N +drink : N, V +drinks : N, V +friends : N +from : Prep +gave : V +letter : N +my : Det +neighbor : N +nice : Adj, N +of : Prep +postman : N +ran : V +the : Det +to : PrepIndicate which of the following statements are true for the word sequence\(W\) = ""drinks drinks drinks""?","['\\(W\\) is not syntactically acceptable according to the grammar \\(G\\).', '\\(W\\) is syntactically acceptable according to the grammar \\(G\\), but some positional constraints of English are violated.', '\\(W\\) is syntactically acceptable according to the grammar \\(G\\), but some selectional constraints of English are violated.', '\\(W\\) is syntactically acceptable according to the grammar \\(G\\), but some positional\xa0and\xa0selectional constraints of English are violated.']","\(W\) is syntactically acceptable according to the grammar \(G\), but some selectional constraints of English are violated.",2 +1016,15002,Computer Science,master,What is a good distance metric to be used when you want to compute the similarity between documents independent of their length?A penalty will be applied for any incorrect answers.,"['Cosine similarity', 'Euclidean distance', 'Manhattan distance', 'Chi-squared distance']",Cosine similarity,0 +1026,15002,Computer Science,master,"Consider the following lexicon \(L\): +bear : V, N +bears : V, N +blue : Adj, N +drink : N, V +drinks : N, V +Nice : Adj, N + +When using an order-1 HMM model (using \(L\)) to tag the word sequence:""Nice bears drink blue drinks""does the tag of drink depend on the tag of nice? + +","['yes, because the HMM approach relies on a global maximum.', 'no, the hypotheses make the two tags independent from each other.']","yes, because the HMM approach relies on a global maximum.",0 +1038,15052,Life Sciences Engineering,online,"Suppose the ionic currents through the membrane are well approximated by a simple leak current. For a dendritic segment of size [mathjaxinline]dx[/mathjaxinline], the leak current is characterized by a membrane resistance [mathjaxinline]R[/mathjaxinline]. If we change the size of the segment from [mathjaxinline]dx[/mathjaxinline] to [mathjaxinline]2dx[/mathjaxinline]:","['the resitance [mathjaxinline]R[/mathjaxinline] needs to be changed from [mathjaxinline]R[/mathjaxinline] to [mathjaxinline]2R[/mathjaxinline].', 'the resitance [mathjaxinline]R[/mathjaxinline] needs to be changed from [mathjaxinline]R[/mathjaxinline] to [mathjaxinline]R/2[/mathjaxinline].', '[mathjaxinline]R[/mathjaxinline] does not change.', 'the membrane conductance increases by a factor of 2.']",the resitance [mathjaxinline]R[/mathjaxinline] needs to be changed from [mathjaxinline]R[/mathjaxinline] to [mathjaxinline]R/2[/mathjaxinline].,1 +1039,15052,Life Sciences Engineering,online,"1. In a natural situation, the electrical potential inside a neuron is ...the same as outside.different by 50-100 microvolt.different by 50-100 millivolt.","['the same as outside.', 'different by 50-100 microvolt.', 'different by 50-100 millivolt.']",different by 50-100 millivolt.,2 +1040,15052,Life Sciences Engineering,online,"Often the gating dynamics are formulated as + [mathjaxinline]\frac{dm}{dt}=\alpha_m(u)(1-m)-\beta_m(u)m[/mathjaxinline].","['[mathjaxinline]m_0\\left(u\\right) = \\beta_m\\left(u\\right)[/mathjaxinline]', '[mathjaxinline]m_0\\left(u\\right) = \\alpha_m\\left(u\\right)[/mathjaxinline]', '[mathjaxinline]m_0\\left(u\\right) = \\frac{\\alpha_m\\left(u\\right)}{\\beta_m\\left(u\\right)}[/mathjaxinline]', '[mathjaxinline]m_0\\left(u\\right) = \\frac{\\alpha_m\\left(u\\right)}{\\alpha_m\\left(u\\right)+\\beta_m\\left(u\\right)}[/mathjaxinline]']",[mathjaxinline]m_0\left(u\right) = \frac{\alpha_m\left(u\right)}{\alpha_m\left(u\right)+\beta_m\left(u\right)}[/mathjaxinline],3 +1041,15052,Life Sciences Engineering,online,"in a 2-dimensional model such as the FizHugh-Nagumo model, the auxiliary variable [mathjaxinline]w[/mathjaxinline] is necessary to implement a reset of the voltage after a spikein a nonlinear integrate-and-fire model, the auxiliary variable [mathjaxinline]w[/mathjaxinline] is necessary to implement a reset of the voltage after a spikein a nonlinear integrate-and-fire model, a reset of the voltage after a spike is implemented algorithmically/explicitlyin the FizHugh-Nagumo model, a reset of the voltage after a spike is implemented algorithmically/explicitly","['in a 2-dimensional model such as the FizHugh-Nagumo model, the auxiliary variable [mathjaxinline]w[/mathjaxinline] is necessary to implement a reset of the voltage after a spike', 'in a nonlinear integrate-and-fire model, the auxiliary variable [mathjaxinline]w[/mathjaxinline] is necessary to implement a reset of the voltage after a spike', 'in a nonlinear integrate-and-fire model, a reset of the voltage after a spike is implemented algorithmically/explicitly', 'in the FizHugh-Nagumo model, a reset of the voltage after a spike is implemented algorithmically/explicitly']","in a 2-dimensional model such as the FizHugh-Nagumo model, the auxiliary variable [mathjaxinline]w[/mathjaxinline] is necessary to implement a reset of the voltage after a spike",0 +1042,15052,Life Sciences Engineering,online,"Reliability of spike timing can be assessed by repeating several times the same stimulusSpike timing in vitro is more reliable under injection of constant current than with flactuating currentSpike timing in vitro is less reliable under injection of constant current than with flactuating currentFor the exact same input current, spike timing in vitro is more reliable than spike timing in vivoNothing is known about spike timing in humans in vivo","['Reliability of spike timing can be assessed by repeating several times the same stimulus', 'Spike timing in vitro is more reliable under injection of constant current than with flactuating current', 'Spike timing in vitro is less reliable under injection of constant current than with flactuating current', 'For the exact same input current, spike timing in vitro is more reliable than spike timing in vivo', 'Nothing is known about spike timing in humans in vivo']",Reliability of spike timing can be assessed by repeating several times the same stimulus,0 +1044,15052,Life Sciences Engineering,online,"In a 2-dimensional neuron model,","['by moving the u-nullcline vertically upward', 'by moving the w-nullcline vertically upward', 'as a potential change in the stability or number of the fixed point(s)', 'as a new initial condition', 'by following the flow of arrows in the appropriate phase plane diagram']",as a new initial condition,3 +1048,15052,Life Sciences Engineering,online,"3. In an integrate-and-fire model, when the voltage hits the threshold ...","['the neuron fires a spike', 'the neuron can enter a state of refractoriness', 'the voltage is reset', 'the neuron explodes']",the neuron fires a spike,0 +1049,15052,Life Sciences Engineering,online,The voltage across a passive membrane can be described by the equation:,"['[mathjaxinline]u(\\infty)=u_{rest}[/mathjaxinline]', '[mathjaxinline]u(\\infty)=u_{rest}-RI_0[/mathjaxinline]', '[mathjaxinline]u(\\infty)=u_{rest}+\\frac{C}{\\tau}I_0[/mathjaxinline]', '[mathjaxinline]u(\\infty)=u_{rest}+RI_0[/mathjaxinline]', '[mathjaxinline]u(\\infty)=RI_0[/mathjaxinline]']",[mathjaxinline]u(\infty)=u_{rest}+RI_0[/mathjaxinline],3 +1051,15100,Life Sciences Engineering,online,"Set [mathjaxinline] \tau_2 = 1 [/mathjaxinline], [mathjaxinline] \tau_1 = 0 [/mathjaxinline] and [mathjaxinline] w_0 = J_0/N [/mathjaxinline]. Consider the limit [mathjaxinline] N\to\infty [/mathjaxinline] (mean field approach). Derive a formula for the rate [mathjaxinline] \nu_0 [/mathjaxinline] as a function of the input [mathjaxinline] \overline{I} [/mathjaxinline] and select the correct answer below.","['[mathjaxinline] \\nu_0\\left(\\overline{I}\\right) = \\frac{\\overline{I} - I^{\\textrm{ext}}}{J_0}[/mathjaxinline]', '[mathjaxinline] \\nu_0\\left(\\overline{I}\\right) = \\frac{\\overline{I} - I^{\\textrm{ext}}}{J_0 N}[/mathjaxinline]', '[mathjaxinline] \\nu_0\\left(\\overline{I}\\right) = \\frac{\\overline{I} + I^{\\textrm{ext}}}{J_0}[/mathjaxinline]']",[mathjaxinline] \nu_0\left(\overline{I}\right) = \frac{\overline{I} - I^{\textrm{ext}}}{J_0}[/mathjaxinline],0 +1052,15100,Life Sciences Engineering,online,Choose the correct reasoning for justifying your answer in Q3:,"['No matter what the weights are, the input scales with [mathjaxinline] N [/mathjaxinline]. Because every neuron is connected to every neuron, the fluctuations even scale as [mathjaxinline] N^2 [/mathjaxinline].', 'The weight scaling cancels out the dependence on [mathjaxinline] N [/mathjaxinline] in the input. The fluctuations of the input are the sum (over presynaptic neurons) of many random variables with fixed variance. By the central limit theorem, and with the weight scaling factor, the fluctuations (std) of the input thus scale as [mathjaxinline] 1/N [/mathjaxinline].', 'The weight scaling cancels out the dependence on [mathjaxinline] N [/mathjaxinline] in the input. The fluctuations of the input are the sum (over presynaptic neurons) of many random variables with fixed variance. By the central limit theorem, and with the weight scaling factor, the fluctuations (std) of the input thus scale as [mathjaxinline] 1/\\sqrt{N} [/mathjaxinline].', 'The weight scaling cancels out the dependence on [mathjaxinline] N [/mathjaxinline] in the input. The same reasoning holds for the fluctuations.']","The weight scaling cancels out the dependence on [mathjaxinline] N [/mathjaxinline] in the input. The fluctuations of the input are the sum (over presynaptic neurons) of many random variables with fixed variance. By the central limit theorem, and with the weight scaling factor, the fluctuations (std) of the input thus scale as [mathjaxinline] 1/\sqrt{N} [/mathjaxinline].",2 +1155,15127,Computer Science,master,"Assume that you have given linearly separable data for a classification task. You are using support vector machines. More precisely, you are optimizing $$ \operatorname{argmin}_{\mathbf{w}} \sum_{n=1}^{N}\left[1-y_{n} \mathbf{x}_{n}^{\top} \mathbf{w}\right]_{+}+\frac{\lambda}{2}\|\mathbf{w}\|^{2}, $$ with a very large value of $\lambda$. Recall: $[z]_{+}=\max \{0, z\}$. Assume that $\left(\tilde{\mathbf{x}}_{n}, \tilde{y}_{n}\right)$ is an essential support vector, i.e., a data point that lies exactly on the margin. What is the most likely outcome if you remove this support vector from the data and rerun the algorithm with the remaining $N-1$ data points?","['I will get exactly the same outcome and the same margin.', 'The optimal vector $\\mathbf{w}^{*}$ will change and the margin will double.', 'The optimal vector $\\mathbf{w}^{*}$ will change and the margin will decrease.', 'The optimal vector $\\mathbf{w}^{*}$ will change and the margin will increase.', 'The algorithm will not work since the data is missing an essential support vector.']",The optimal vector $\mathbf{w}^{*}$ will change and the margin will increase.,3 +1156,15127,Computer Science,master,"Assume that you get a confidence interval of size $\delta$ for some problem given $N$ iid samples. Expressed as a function of $N$, how many iid samples do you need to get a confidence interval of $\operatorname{size} \delta / 3 ?$","['$3 N$', '$N/3$', '$N^3$', '$9N$', '$\\sqrt{3 N}$', '$e^{3 N}$']",$9N$,3 +1158,15127,Computer Science,master,"Let $n$ be an integer such that $n\geq 2$ and let $A \in \R^{n imes n}$, and $xv \in \R^n$, consider the function $f(xv) = xv^ op A xv$ defined over $\R^n$. Which of the following is the gradient of the function $f$? ","['$2 xv^\top A$', '$2Axv$', '$A^\top xv + Axv$', '$2A^\top xv$']",$A^ op xv + Axv$,2 +1159,15127,Computer Science,master,"The KNN algorithm needs a notion of distance to assess which points are ``nearest''. + Identify the distance measures that can be used in the KNN algorithm. + (a) Euclidean Distance : distance associated to the $L_2$ norm $\|xv\|_2 := \sqrt{x_1^2+\dots+x_D^2}$ + (b) Manhattan Distance : distance associated to the $L_1$ norm $\|xv\|_1 := |x_1|+\dots+|x_D|$ + (c) Distance associated to the $L_4$ norm $\|xv\|_4 := ig(|x_1|^4+\dots+|x_D|^4ig)^{1/4}$ + ","['only a', 'only b', 'only c', 'only a and b', 'only a and c', 'only b and c', 'a, b and c']","a, b and c",6 +1160,15127,Computer Science,master,Consider a classification problem using either SVMs or logistic regression and separable data. For logistic regression we use a small regularization term (penality on weights) in order to make the optimum welldefined. Consider a point that is correctly classified and distant from the decision boundary. Assume that we move this point slightly. What will happen to the decision boundary?,"['Small change for SVMs and small change for logistic regression.', 'No change for SVMs and large change for logistic regression.', 'No change for SVMs and no change for logistic regression.', 'No change for SVMs and a small change for logistic regression.', 'Large change for SVMs and large change for logistic regression.', 'Large change for SVMs and no change for logistic regression.', 'Small change for SVMs and no change for logistic regression.', 'Small change for SVMs and large change for logistic regression.', 'Large change for SVMs and small change for logistic regression.']",No change for SVMs and a small change for logistic regression.,3 +1161,15127,Computer Science,master,"You are given a distribution on $X, Y$, and $Z$ and you know that the joint distribution can be written in the form $p(x, y, z)=p(x) p(y \mid x) p(z \mid y)$. What conclusion can you draw? [Recall that $\perp$ means independent and $\mid \cdots$ means conditioned on $\cdots$.","['$Y \\perp Z$', '$X \\perp Y \\mid Z$', '$Y \\perp Z \\quad X$', '$X \\perp Z$', '$X \\perp Y$', '$X \\perp Z \\quad \\mid Y$']",$X \perp Z \quad \mid Y$,5 +1162,15127,Computer Science,master,"You are using a neural net with $L$ layers, $K$ nodes per layer, and ReLUs as activation functions. Your input data has components in $[-1,0]$. You initialize all your weights to be Gaussians with mean 10 and variance 0.1 and all the bias terms are set to 0. You start optimizing using SGD. What will happen?","['the gradient is 0 and so nothing happens', 'the gradient is very large and so your steps are likely too large for the algorithm to converge', 'everything is fine', 'you cannot use a neural net for features that have negative components']",the gradient is 0 and so nothing happens,0 +1163,15127,Computer Science,master,"You are given samples $\mathcal{S}=\left\{\mathbf{x}_{n}\right\}_{n=1}^{N}$, where each sample has two components, i.e., $\mathbf{x}=\left(x_{1}, x_{2}\right)$. You compute from this the corresponding kernel matrix $\mathbf{K}$ with entries $\mathbf{K}_{i, j}=\mathbf{x}_{i}^{T} \mathbf{x}_{j}$. Assume now that you transform the feature vector to $\tilde{\mathbf{x}}=\left(x_{1}^{2}, x_{2}^{2}, \sqrt{2} x_{1} x_{2}\right)$ and compute from this new feature vector the corresponding kernel matrix $\tilde{\mathbf{K}}$ with entries $\tilde{\mathbf{K}}_{i, j}=\tilde{\mathbf{x}}_{i}^{T} \tilde{\mathbf{x}}_{j}$. What function does this transform correspond to? I.e., what function $f(\cdot)$ can you pick so that $\tilde{\mathbf{K}}=f(\mathbf{K})$, where the function $f(\cdot)$ is applied component-wise?","['$f(z)=e^z$', '$f(z)=z^2$', '$f(z)=1$', '$f(z)=z^3$', '$f(z)=\\log (z)$', '$f(z)=z$', '$f(z)=\\sqrt{2} z$']",$f(z)=z^2$,1 +1164,15127,Computer Science,master,(Weight initialization) The choice of weight initialization will not impact the optimization behavior of the neural network.,"['True', 'False']",False,1 +1165,15127,Computer Science,master,"Under certain conditions, maximizing the log-likelihood is equivalent to minimizing mean-squared error for linear regression. The mean-squared error can be defined as $\mathcal{L}_{m s e}(\mathbf{w}):=$ $\frac{1}{2 N} \sum_{n=1}^{N}\left(y_{n}-\widetilde{\mathbf{x}}_{n}^{\top} \mathbf{w}\right)^{2}$ and $y_{n}=\widetilde{\mathbf{x}}_{n}^{\top} \mathbf{w}+\varepsilon_{n}$ is assumed for the probabilistic model. Which of following conditions is necessary for the equivalence?","['The noise parameter $\\varepsilon_{n}$ should have a normal distribution.', 'The target variable $y_{n}$ should have a normal distribution.', 'The i.i.d. assumption on the variable $\\mathbf{w}$.', 'The conditional probability $p\\left(y_{n} \\mid \\widetilde{\\mathbf{x}}_{n}, \\mathbf{w}\\right)$ should follow a Laplacian distribution.', 'The noise parameter $\\varepsilon_{n}$ should have non-zero mean.']",The noise parameter $\varepsilon_{n}$ should have a normal distribution.,0 +1168,15127,Computer Science,master,Generative Adversarial Networks use the generator and discriminator models during training but only the discriminator for data synthesis.,"['True', 'False']",False,1 +1169,15127,Computer Science,master,Text:,"['(a) Comparing the word feature representations from bag-of-words vs GloVe, bag-of-words typically gives lower dimensional representations.', '(b) GloVe and word2vec are typically trained unsupervised']",(b) GloVe and word2vec are typically trained unsupervised,1 +1170,15127,Computer Science,master,"(Text Representation Learning, GloVe) Learning GloVe word vectors is identical to approximating the observed entries of the word/context co-occurence counts by $\mathbf{W} \mathbf{Z}^{\top}$, in the least square sense, if the $f_{d n}$ weights are set to 1 for all observed entries.","['True', 'False']",False,1 +1171,15127,Computer Science,master,"Every time you open the website \href{http://thispersondoesnotexist.com}{thispersondoesnotexist.com}, you see a fake picture of a person that was sampled from the distribution learned by a GAN. Which part of the GAN is deployed on this server?","['The discriminator.', 'The generator.', 'The discriminator and the generator.', 'Only the last layer of the discriminator.']",The generator.,1 +1172,15127,Computer Science,master,"Nearest neighbor classifiers cannot be used for regression because they rely on majority voting, which is not suited for continuous labels.","['True', 'False']",False,1 +1174,15127,Computer Science,master,"Consider the following joint distribution on $X$ and $Y$, where both random variables take on the values $\{0,1\}: p(X=$ $0, Y=0)=0.1, p(X=0, Y=1)=0.2, p(X=1, Y=0)=0.3, p(X=1, Y=1)=0.4$. You receive $X=1$. What is the largest probability of being correct you can achieve when predicting $Y$ in this case?","['$\\frac{1}{3}$', '$\\frac{3}{4}$', '$\\frac{1}{7}$', '$0$', '$1$', '$\\frac{2}{3}$', '$\\frac{6}{7}$', '$\\frac{4}{7}$', '$\\frac{3}{7}$', '$\\frac{1}{4}$', '$\\frac{2}{4}$']",$\frac{4}{7}$,7 +1175,15127,Computer Science,master,Which of the following statements is extbf{incorrect} ? Training a model with $L_1$-regularization ...,"['can reduce the storage cost of the final model.', 'is used to help escaping local minima during training.', 'can reduce overfitting.', 'can be named Lasso regression when in combination with an MSE loss function and a linear model.']",is used to help escaping local minima during training.,1 +1178,15127,Computer Science,master,"The output of a 2D convolutional layer with filter size $S imes S$, where $S \ge 1$, always has a larger receptive field than the input to the convolution.","['True', 'False']",False,1 +1179,15127,Computer Science,master,(Backpropagation) Training via the backpropagation algorithm always learns a globally optimal neural network if there is only one hidden layer and we run an infinite number of iterations and decrease the step size appropriately over time.,"['True', 'False']",False,1 +1181,15127,Computer Science,master,"Consider a binary classification problem with a linear classifier $f(\mathbf{x})$ given by $$ f(\mathbf{x})= \begin{cases}1, & \mathbf{w}^{\top} \mathbf{x} \geq 0 \\ -1, & \mathbf{w}^{\top} \mathbf{x}<0\end{cases} $$ where $\mathbf{x} \in \mathbb{R}^{3}$. Suppose that the weights of the linear model are equal to $\mathbf{w}=(4,0,-3)$. For the next two questions, we would like to find a minimum-norm adversarial example. Specifically, we are interested in solving the following optimization problem, for a given $\mathbf{x}$ : $$ \min _{\boldsymbol{\delta} \in \mathbb{R}^{3}}\|\boldsymbol{\delta}\|_{2} \quad \text { subject to } \quad \mathbf{w}^{\top}(\mathbf{x}+\boldsymbol{\delta})=0 $$ This leads to the point $\mathbf{x}+\boldsymbol{\delta}$ that lies exactly at the decision boundary and the perturbation $\boldsymbol{\delta}$ is the smallest in terms of the $\ell_{2}$-norm. What is the minimum value of the optimization problem Eq. (OP) for the point $\mathbf{x}=$ $(-1,3,2) ?$","['2', '$3$', '$1$', 'Other', '$1.5$', '0', '$\\sqrt{2}$', '4']",2,0 +1182,15127,Computer Science,master,The complexity of the back-propagation algorithm for a neural net with $L$ layers and $K$ nodes per layer is,"['(a) $\\Theta\\left(K^{L}\\right)$', '(b) $\\Theta\\left(L^{K}\\right)$', '(c) $\\Theta\\left(K^{2} L^{2}\\right)$', '(d) $\\Theta\\left(K^{2} L\\right)$', '(e) $\\Theta\\left(K L^{2}\\right)$', '(f) $\\Theta(K L)$', '(g) $\\Theta(K)$', '(h) $\\Theta(L)$', '(i) $\\Theta(1)$']",(d) $\Theta\left(K^{2} L\right)$,3 +1184,15127,Computer Science,master,"Consider a linear regression problem with $N$ samples where the input is in $D$-dimensional space, and all output values are $y_{i} \in\{-1,+1\}$. Which of the following statements is correct?","['(a) linear regression cannot ""work"" if $N \\gg D$', '(b) linear regression cannot ""work"" if $N \\ll D$', '(c) linear regression can be made to work perfectly if the data is linearly separable']",(c) linear regression can be made to work perfectly if the data is linearly separable,2 +1185,15127,Computer Science,master,Consider a matrix factorization problem of the form $\mathbf{X}=\mathbf{W Z}^{\top}$ to obtain an item-user recommender system where $x_{i j}$ denotes the rating given by $j^{\text {th }}$ user to the $i^{\text {th }}$ item . We use Root mean square error (RMSE) to gauge the quality of the factorization obtained. Select the correct option.,"['Given a new item and a few ratings from existing users, we need to retrain the already trained recommender system from scratch to generate robust ratings for the user-item pairs containing this item.', 'Regularization terms for $\\mathbf{W}$ and $\\mathbf{Z}$ in the form of their respective Frobenius norms are added to the RMSE so that the resulting objective function becomes convex.', 'For obtaining a robust factorization of a matrix $\\mathbf{X}$ with $D$ rows and $N$ elements where $N \\ll D$, the latent dimension $\\mathrm{K}$ should lie somewhere between $D$ and $N$.', 'None of the other options are correct.']",None of the other options are correct.,3 +1187,15127,Computer Science,master,"We consider a classification problem on linearly separable data. Our dataset had an outlier---a point that is very far from the other datapoints in distance (and also far from margins in SVM but still correctly classified by the SVM classifier). + We trained the SVM, logistic regression and 1-nearest-neighbour models on this dataset. + We tested trained models on a test set that comes from the same distribution as training set, but doesn't have any outlier points. + After that we removed the outlier and retrained our models.","['SVM', 'Logistic regression', '1-nearest-neighbors classifier', 'All of them']",Logistic regression,1 +1188,15127,Computer Science,master,"(Maximum Likelihood) Assume that $X \in\{0,1\}$ and that $p(X=0)=\frac{1}{3}$. Assume further that $Y=X+Z$ where $Z$ is a zero-mean Gaussian noise of variance 1 . We observe $Y$ and are asked to guess $X$. The maximum likelihood estimator $\hat{X}(Y)=\operatorname{argmax}_{x \in\{0,1\}} p(Y=y \mid X=x)$ minimizes the probability of error.","['True', 'False']",False,1 +1189,15127,Computer Science,master,The loss function used in logistic regression equally penalizes positive and negative deviations from the correct class label.,"['True', 'False']",False,1 +1190,15127,Computer Science,master,"In a Gaussian Mixture Model, assuming $D, K \ll N$, the number of free parameters, after marginalization of the latent variables $z_{n}$, is","['(a) quadratic in $D$', '(b) cubic in $D$', '(c) linear in $N$']",(a) quadratic in $D$,0 +1191,15127,Computer Science,master,"Consider the composite function $f(x)=g(h(x))$, where all functions are $\mathbb{R}$ to $\mathbb{R}$. Which of the following is the weakest condition that guarantees that $f(x)$ is convex?","['$g(x)$ and $h(x)$ are convex and $g(x)$ and $h(x)$ are increasing', '$g(x)$ is convex and $g(x)$ is increasing', '$g(x)$ and $h(x)$ are convex and $h(x)$ is increasing', '$g(x)$ and $h(x)$ are convex and $g(x)$ is increasing', '$g(x)$ is convex and $g(x)$ and $h(x)$ are increasing', '$h(x)$ is convex and $g(x)$ and $h(x)$ are increasing', '$g(x)$ is convex and $h(x)$ is increasing']",$g(x)$ and $h(x)$ are convex and $g(x)$ is increasing,3 +1192,15127,Computer Science,master,"Recall that we say that a kernel $K: \R imes \R ightarrow \R $ is valid if there exists $k \in \mathbb{N}$ and $\Phi: \R ightarrow \R^k$ such that for all $(x, x') \in \R imes \R $, $K(x, x') = \Phi(x)^ op \Phi(x')$. The kernel $K(x, x') = \cos(x + x')$ is a valid kernel.","['True', 'False']",False,1 +1194,15127,Computer Science,master,(Neural networks) Training only the first layer of a deep neural network using the logistic loss is equivalent to training a logistic regression over a transformed feature space.,"['True', 'False']",False,1 +1196,15127,Computer Science,master,"Our task is to classify whether an animal is a dog (class 0) or a cat (class 1) based on the following features: + egin{itemize} + \item $x_1$: height + \item $x_2$: length of whiskers + \item $x_3$: thickness of fur + \end{itemize} + We perform standard normal scaling on the training features so that they have a mean of zero and standard deviation of 1. We have trained a Logistic Regression model to determine the probability that the animal is a cat, $p(1 | \mathbf{x,w})$. + Our classifier learns that cats have a lower height and longer whiskers than dogs, while the thickness of fur is not relevant to the classification outcome. Which of the following is true about the weights~$\wv$ learned by the classifier? + ","['$w_1 < w_2 < w_3$', '$w_1 < w_3 < w_2$', '$w_2 < w_1 < w_3$', '$w_2 < w_3 < w_1$', '$w_3 < w_1 < w_2$', '$w_3 < w_2 < w_1$']",$w_1 < w_3 < w_2$,1 +1198,15127,Computer Science,master,Assume that you initialize all weights in a neural net to the same value and you do the same for the bias terms. Which of the following statements is correct.,"['(a) This is a good idea since it treats every edge equally.', '(b) This is a bad idea.']",(b) This is a bad idea.,1 +1199,15127,Computer Science,master,(Convex II) Intersections of convex sets are convex.,"['True', 'False']",True,0 +1200,15127,Computer Science,master,"In principal component analysis, the left singular vectors $\mathbf{U}$ of a data matrix $\mathbf{X}$ of shape ( $d$ features, $n$ datapoints) are used to create a new data matrix $\mathbf{X}^{\prime}=\mathbf{U}^{\top} \mathbf{X}$. To achieve dimensionality reduction, we keep only certain rows of the matrix $\mathbf{X}^{\prime}$. We keep those rows that have:","['the lowest variance.', 'the highest variance.', 'smallest L2 norm.', 'L2 norm closest to 1']",the highest variance.,1 +1201,15127,Computer Science,master,"Consider two fully connected networks, A and B, with a constant width for all layers, inputs and outputs. + Network A has depth $3L$ and width $H$, network B has depth $L$ and width $2H$. + Everything else is identical for the two networks and both $L$ and $H$ are large. + In this case, performing a single iteration of backpropagation requires fewer scalar multiplications for network A than for network B.","['True', 'False']",True,0 +1202,15127,Computer Science,master," Consider the Parametric ReLU function defined as + $$f(x) = \left\{egin{matrix} + x & extup{if}\; x > 0 \ + ax & extup{otherwise} + \end{matrix} ight.$$ + where $a \in \R$ is an arbitrary number. + Which of the following statements is true regarding the subgradients of $f(x)$ at $x = 0$? + ","['A subgradient exists even though $f(x)$ is not necessarily differentiable at $x=0$.', 'A subgradient does not exist at $x=0$.', 'If a subgradient exists, then it is not unique.', 'None of the mentioned answers.']",None of the mentioned answers.,3 +1203,15127,Computer Science,master,"In ridge regression, a large regularization parameter $\lambda$ causes overfitting whereas a small regularization parameter causes underfitting.","['True', 'False']",False,1 +1204,15127,Computer Science,master,"The following member of the exponential family represents a scalar Gaussian: $p(y)=\exp \left\{(2,-1)\left(y, y^{2}\right)^{\top}-\right.$ $\left.1-\frac{1}{2} \ln (\pi)\right\}$. What are the mean $\mu$ and the variance $\sigma^{2}$ ?","['(a) $\\mu=-1, \\sigma^{2}=0$.', '(b) $\\mu=0, \\sigma^{2}=0$.', '(c) $\\mu=1, \\sigma^{2}=0$.', '(d) $\\mu=-1, \\sigma^{2}=\\frac{1}{2}$', '(e) $\\mu=0, \\sigma^{2}=\\frac{1}{2}$.', '(f) $\\mu=1, \\sigma^{2}=\\frac{1}{2}$.', '(g) $\\mu=-1, \\sigma^{2}=1$.', '(h) $\\mu=0, \\sigma^{2}=1$.', '(i) $\\mu=1, \\sigma^{2}=1$']","(f) $\mu=1, \sigma^{2}=\frac{1}{2}$.",5 +1207,15127,Computer Science,master,"Consider the loss function $L: \R^d o \R$, $L(\wv) = rac{eta}{2}\|\wv\|^2$, where $eta > 0$ is a constant. We run gradient descent on $L$ with a stepsize $\gamma > 0$ starting from some $\wv_0 +eq 0$. Which of the statements below is true? ","['Gradient descent converges to the global minimum for any stepsize $\\gamma > 0$.', 'Gradient descent with stepsize $\\gamma = \x0crac{2}{\x08eta}$ produces iterates that diverge to infinity ($\\|\\wv_t\\| \to \\infty$ as $t\to \\infty$).', 'Gradient descent converges in two steps for $\\gamma = \x0crac{1}{\x08eta}$ (i.e., $\\wv_2$ is the \textbf{first} iterate attaining the global minimum of $L$).', 'Gradient descent converges to the global minimum for any stepsize in the interval $\\gamma \\in \x08ig( 0, \x0crac{2}{\x08eta}\x08ig)$.']","Gradient descent converges to the global minimum for any stepsize in the interval $\gamma \in ig( 0, rac{2}{eta}ig)$.",3 +1208,15127,Computer Science,master,"(Bayes Nets) We are given a Bayes net involving the variables $X_{1}, \cdots, X_{n}$. We determine, using our standard rules, that $X_{1} \perp X_{2} \mid X_{3}$. Assume now that you delete some edges in the original Bayes net. For the modified Bayes net, is it always true that $X_{1} \perp X_{2} \mid X_{3}$ ?","['True', 'False']",True,0 +1210,15127,Computer Science,master,"Consider a regression model where data $(x,y)$ is generated by input $x$ uniformly randomly sampled from $[0,1]$ and $y(x) = x^2 + \epsilon$, + where $\epsilon$ is random noise with mean 0 and variance 1. + Two models are carried out for regression: + model A is a trained quadratic function $g(x; \wv) = w_2 x^2 + w_1 x + w_0$ where $\wv = (w_0, w_1, w_2)^ op\in\mathbb R^3$, + and model B is a constant function $h(x) = 1/2$. + Then compared to model B, model A has ","['higher bias, higher variance.', 'higher bias, lower variance.', 'lower bias, higher variance.', 'lower bias, lower variance.']","lower bias, higher variance.",2 +1211,15127,Computer Science,master,A model which has a high bias necessarily has a low variance.,"['True', 'False']",False,1 +1212,15127,Computer Science,master,(FastText supervised Classifier) The FastText supervised classifier can be modeled as a one-hidden-layer neural network.,"['True', 'False']",True,0 +1213,15127,Computer Science,master,What \emph{alternates} in Alternating Least Squares for Matrix Factorization for a movie recommender system?,"['recommendation steps and optimization steps', 'updates to user embeddings and updates to movie embeddings', 'expectation steps and maximization steps', 'updates based on different movie rating examples from the training set']",updates to user embeddings and updates to movie embeddings,1 +1214,15127,Computer Science,master,"Let's imagine that every pet owner in Europe sends us their dog and cat data to train our model, so we have lots of training data. Which of the following is true about the possible optimizers used to train our model? We assume that the optimal hyperparameters are used for each optimizer. + ","[""Gradient descent steps are more computationally efficient, while Newton's method takes fewer steps to converge."", 'Gradient descent takes fewer steps to converge, while Newton steps are more computationally efficient.', ""Gradient descent and Newton's method take similar number of iterations to converge."", ""Overall, gradient descent and Newton's method are equal in terms of computational complexity.""]","Gradient descent steps are more computationally efficient, while Newton's method takes fewer steps to converge.",0 +1216,15127,Computer Science,master,"You are doing your ML project. It is a regression task under a square loss. Your neighbor uses linear regression and least squares. You are smarter. You are using a neural net with 10 layers and activations functions $f(x)=3 x$. You have a powerful laptop but not a supercomputer. You are betting your neighbor a beer at Satellite who will have a substantially better scores. However, at the end it will essentially be a tie, so we decide to have two beers and both pay. What is the reason for the outcome of this bet?","['Because we use exactly the same scheme.', 'Because it is almost impossible to train a network with 10 layers without a supercomputer.', 'Because I should have used more layers.', 'Because I should have used only one layer.']",Because we use exactly the same scheme.,0 +1217,15127,Computer Science,master,"Let $f:\R^D ightarrow\R$ be an $L$-hidden layer multi-layer perceptron (MLP) such that + \[ + f(xv)=\sigma_{L+1}ig(\wv^ op\sigma_L(\Wm_L\sigma_{L-1}(\Wm_{L-1}\dots\sigma_1(\Wm_1xv)))ig), + \] + with $\wv\in\R^{M}$, $\Wm_1\in\R^{M imes D}$ and $\Wm_\ell\in\R^{M imes M}$ for $\ell=2,\dots, L$, and $\sigma_i$ for $i=1,\dots,L+1$ is an entry-wise activation function. For any MLP $f$ and a classification threshold $ au$ let $C_{f, au}$ be a binary classifier that outputs YES for a given input $xv$ if $f(xv) \leq au$ and NO otherwise. space{3mm} + Assume $\sigma_{L+1}$ is the element-wise extbf{sigmoid} function and $C_{f, rac{1}{2}}$ is able to obtain a high accuracy on a given binary classification task $T$. Let $g$ be the MLP obtained by multiplying the parameters extbf{in the last layer} of $f$, i.e. $\wv$, by 2. Moreover, let $h$ be the MLP obtained by replacing $\sigma_{L+1}$ with element-wise extbf{ReLU}. Finally, let $q$ be the MLP obtained by doing both of these actions. Which of the following is true? + ReLU(x) = max\{x, 0\} \ + Sigmoid(x) = rac{1}{1 + e^{-x}} + ","['$C_{g, \x0crac{1}{2}}$ may have an accuracy significantly lower than $C_{f, \x0crac{1}{2}}$ on $T$', '$C_{h, 0}$ may have an accuracy significantly lower than $C_{f, \x0crac{1}{2}}$ on $T$', '$C_{q, 0}$ may have an accuracy significantly lower than $C_{f, \x0crac{1}{2}}$ on $T$', '$C_{g, \x0crac{1}{2}}$, $C_{h, 0}$, and $C_{q, 0}$ have the same accuracy as $C_{f, \x0crac{1}{2}}$ on $T$']","$C_{g, rac{1}{2}}$, $C_{h, 0}$, and $C_{q, 0}$ have the same accuracy as $C_{f, rac{1}{2}}$ on $T$",3 +1218,15127,Computer Science,master,Binary logistic regression assumes a:,"['Linear relationship between the input variables.', 'Linear relationship between the observations.', 'Linear relationship between the input variables and the logit (inverse of sigmoid) of the probability of the event that the outcome $Y=1$.', 'Linear relationship between the input variables and the probability of the event that the outcome $Y=1$']",Linear relationship between the input variables and the logit (inverse of sigmoid) of the probability of the event that the outcome $Y=1$.,2 +1220,15127,Computer Science,master," Which NLP model architectures can differentiate between the sentences ``I have to read this book.'' and ``I have this book to read.''? + (a) a convolutional model based on word2vec vectors% + (b) a recurrent neural network based on GloVe word vectors% + (c) a bag-of-words model based on GloVe word vectors + ","['only a', 'only b', 'only c', 'only a and b', 'only a and c', 'only b and c', 'a, b and c']",only a and b,3 +1221,15127,Computer Science,master,"Let $f_{\mathrm{MLP}}: \mathbb{R}^{d} \rightarrow \mathbb{R}$ be an $L$-hidden layer multi-layer perceptron (MLP) such that $$ f_{\mathrm{MLP}}(\mathbf{x})=\mathbf{w}^{\top} \sigma\left(\mathbf{W}_{L} \sigma\left(\mathbf{W}_{L-1} \ldots \sigma\left(\mathbf{W}_{1} \mathbf{x}\right)\right)\right) $$ with $\mathbf{w} \in \mathbb{R}^{M}, \mathbf{W}_{1} \in \mathbb{R}^{M \times d}$ and $\mathbf{W}_{\ell} \in \mathbb{R}^{M \times M}$ for $\ell=2, \ldots, L$, and $\sigma$ is an entry-wise activation function. Also, let $f_{\mathrm{CNN}}: \mathbb{R}^{d} \rightarrow \mathbb{R}$ be an $L^{\prime}$-hidden layer convolutional neural network (CNN) such that $$ f_{\mathrm{CNN}}(\mathbf{x})=\mathbf{w}^{\top} \sigma\left(\mathbf{w}_{L^{\prime}} \star \sigma\left(\mathbf{w}_{L^{\prime}-1} \star \ldots \sigma\left(\mathbf{w}_{1} \star \mathbf{x}\right)\right)\right) $$ with $\mathbf{w} \in \mathbb{R}^{d}, \mathbf{w}_{\ell} \in \mathbb{R}^{K}$ for $\ell=1, \ldots, L^{\prime}$ and $\star$ denoting the one-dimensional convolution operator with zero-padding, i.e., output of the convolution has the same dimensionality as the input. Regarding the weight updates in back-propagation,","['The output layer weights are not used for computing the error of the hidden layer.', 'The weight changes are not proportional to the difference between the desired and actual outputs.', 'A standard technique to initialize the weights is to set them exactly to 0.', 'The weight change is also proportional to the input to the weight layer.']",The weight change is also proportional to the input to the weight layer.,3 +1222,15127,Computer Science,master,"Let the samples $\left\{\left(y_{n}, x_{n}\right)\right\}$ come from some fixed joint distribution $p(x, y)$, where $x_{n}$ and $y_{n}$ are scalars and both have zero mean. Consider linear regression, i.e., we want to predict $Y$ from $X$ by means of $f(x)=\alpha x$ and we consider a square loss. Meaningful regression is possible","['(a) only if $X$ ""causes"" $Y$', '(b) as long as $Y$ and $X$ have non-zero correlation', '(c) only if $Y$ and $X$ are positively correlated, i.e., $\\mathbb{E}[X Y]>0$', '(d) only if $Y$ and $X$ are negatively correlated, i.e., $\\mathbb{E}[X Y]<0$']","(c) only if $Y$ and $X$ are positively correlated, i.e., $\mathbb{E}[X Y]>0$",2 +1224,15127,Computer Science,master,"Assume we have $N$ training samples $(\xx_1, y_1), \dots, (\xx_N, y_N)$ where for each sample $i \in \{1, \dots, N\}$ we have that $\xx_i \in \R^d$ and $y_i \in \{-1, 1\}$. We want to classify the dataset using the exponential loss $L(\ww) = rac{1}{N} \sum_{i=1}^N \exp (-y_i \xx_i^ op \ww )$ for $\ww \in \R^d$. + Which of the following statements is extbf{true}:","['This corresponds to doing logistic regression as seen in class.', 'The loss function $L$ is non-convex in $\\ww$.', 'If I find a vector $\\ww^\\star$ such that $L(\\ww^\\star) < 1 / N$, then $\\ww^*$ linearly separates my dataset.', 'There exists a vector $\\ww^\\star$ such that $L(\\ww^\\star) = 0$.', '""None of the statements are true.']","If I find a vector $\ww^\star$ such that $L(\ww^\star) < 1 / N$, then $\ww^*$ linearly separates my dataset.",2 +1225,15100,Life Sciences Engineering,online,"Using the correct answer from the question before, we get the same expression for [mathjaxinline] E(t+1) [/mathjaxinline] but with the neuron [mathjaxinline] k [/mathjaxinline] having a different state [mathjaxinline] S_k(t+1) = -S_k(t) [/mathjaxinline] (all other neurons keep their value [mathjaxinline] S_j(t+1) = S_j(t) [/mathjaxinline] for [mathjaxinline] j \neq k [/mathjaxinline]).Which one is the right expression for the change in energy [mathjaxinline] \Delta E = E(t+1) - E(t) [/mathjaxinline] when exactly one neuron [mathjaxinline] k [/mathjaxinline] changes its state?","['[mathjaxinline] \\Delta E = 0 [/mathjaxinline]', '[mathjaxinline] \\Delta E = -2\\left(S_k(t+1) - S_k(t)\\right) w_{kk} S_k(t) = -4S_k(t+1) w_{kk} S_k(t)[/mathjaxinline]', '[mathjaxinline] \\Delta E = -2\\left(S_k(t+1) - S_k(t)\\right) \\sum_j w_{kj} S_j(t) = -4S_k(t+1)h_k(t)[/mathjaxinline]']",[mathjaxinline] \Delta E = -2\left(S_k(t+1) - S_k(t)\right) \sum_j w_{kj} S_j(t) = -4S_k(t+1)h_k(t)[/mathjaxinline],2 +1226,15100,Life Sciences Engineering,online,Does this learning rule allow for both potentiation and depression?,"[""No, because there aren't any negative terms."", 'Yes, because there are also negative terms.', 'No, because the negative terms are always smaller than the positive ones.', 'Yes, only because there is the last term with the power of four.']","Yes, because there are also negative terms.",1 +1228,15100,Life Sciences Engineering,online,"Using the analogy for the sum as a random walk, the term [mathjaxinline]\begin{equation} \Sigma_{\mu \neq 1}^{P}\Sigma_j^N \frac{1}{N} p_i^1 p_i^{\mu} p_j^1 p_j^{\mu} + \end{equation}[/mathjaxinline] can be approximated by a Gaussian random variable, [mathjaxinline]N(mean,variance)[/mathjaxinline]. Specify the mean and the variance of the Gaussian distribution.","['1', '0', '-1']",0,1 +1229,15100,Life Sciences Engineering,online,"Would you describe this learning procedure as reinforcement, supervised or unsupervised learning?","['It is supervised, since we explicitely provide the correct weights to initialize the network.', 'It is unsupervised since the network learns implicit associations present in the input without any additional teaching signal.', 'It is reinforcement learning since only weight updates only occur when a pattern is retrieved correctly.']",It is unsupervised since the network learns implicit associations present in the input without any additional teaching signal.,1 +1230,15100,Life Sciences Engineering,online,"Given the system of differential equations above, how can we find a fixpoint of the dynamics?","['We have to find the nullclines by setting the left-hand side of the differential equations to 0. Every point on the nullclines is a fixpoint.', 'We have to find the nullclines by setting the left-hand side of the differential equations to 0. Then we have to determine the intersection(s) of the two nullclines to find the fixpoint(s).', 'There is no analytical way to find the fixpoint.']",We have to find the nullclines by setting the left-hand side of the differential equations to 0. Then we have to determine the intersection(s) of the two nullclines to find the fixpoint(s).,1 +1231,15052,Life Sciences Engineering,online,"in the regime below the bifurcation, the voltage threshold for action potential firing in response to a short pulse input is given by the stable manifold of the saddle pointin the regime below the bifurcation, the voltage threshold for action potential in response to a short pulse input exists only if [mathjaxinline]\tau_w \gg \tau_u[/mathjaxinline]","['in the regime below the bifurcation, the voltage threshold for action potential firing in response to a short pulse input is given by the stable manifold of the saddle point', 'in the regime below the bifurcation, the voltage threshold for action potential in response to a short pulse input exists only if [mathjaxinline]\\tau_w \\gg \\tau_u[/mathjaxinline]']","in the regime below the bifurcation, the voltage threshold for action potential in response to a short pulse input exists only if [mathjaxinline]\tau_w \gg \tau_u[/mathjaxinline]",1 +1234,15052,Life Sciences Engineering,online,"A biophysical point model with 3 ion channels, each with activation and inactivation, has a total number of equations equal to","['3', '4', '6', '7', '8 or more']",7,3 +1236,15052,Life Sciences Engineering,online,Rewrite the differential equation which describes the dynamics of [mathjaxinline] n [/mathjaxinline] in the form,"['[mathjaxinline] n_{\\infty} = \\frac{\\beta}{\\alpha+\\beta}, \\ \\tau_n = \\frac{1}{\\alpha + \\beta}[/mathjaxinline]', '[mathjaxinline] n_{\\infty} = \\frac{\\alpha}{\\alpha+\\beta}, \\ \\tau_n = \\frac{\\beta}{\\alpha + \\beta}[/mathjaxinline]', '[mathjaxinline] n_{\\infty} = \\frac{\\alpha}{\\alpha+\\beta}, \\ \\tau_n = \\alpha + \\beta[/mathjaxinline]', '[mathjaxinline] n_{\\infty} = \\frac{\\beta}{\\alpha+\\beta}, \\ \\tau_n = \\frac{\\alpha}{\\alpha + \\beta}[/mathjaxinline]', '[mathjaxinline] n_{\\infty} = \\frac{\\alpha}{\\alpha+\\beta}, \\ \\tau_n = \\frac{1}{\\alpha + \\beta}[/mathjaxinline]']","[mathjaxinline] n_{\infty} = \frac{\alpha}{\alpha+\beta}, \ \tau_n = \frac{1}{\alpha + \beta}[/mathjaxinline]",4 +1238,15100,Life Sciences Engineering,online,"Assume that neuron group 1 fires at 3 Hz, then group 2 fires at 1 Hz, then again group 1 etc. How do the weights of both groups evolve according to the BCM plasticty rule defined above?","['The postsynaptic firing rate during firing of group 1 is above [mathjaxinline] \\theta [/mathjaxinline], according to Fig. 2, the corresponding weights keep growing. The same happens for group 2. The postsynaptic neuron finally responds to input from both groups.', 'The postsynaptic firing rate during firing of group 1 is above [mathjaxinline] \\theta [/mathjaxinline], according to Fig. 2, the corresponding weights keep growing. In contrast, the weights of group 2 keep shrinking. The postsynaptic neuron becomes selective for group 1.', 'The postsynaptic firing rate during firing of group 1 is below [mathjaxinline] \\theta [/mathjaxinline], according to Fig. 2, the corresponding weights keep shrinking. The same happens for group 2. The postsynaptic neuron finally ignores input from both groups.']","The postsynaptic firing rate during firing of group 1 is above [mathjaxinline] \theta [/mathjaxinline], according to Fig. 2, the corresponding weights keep growing. In contrast, the weights of group 2 keep shrinking. The postsynaptic neuron becomes selective for group 1.",1 +1239,15052,Life Sciences Engineering,online,Assumption: In order to reduce a detailed compartmental neuron model to two dimensions we have to assume that,"['dendrites can be approximated as passive', 'the neuron model has no dendrite', 'the neuron model has at most 2 types of ion channels', 'all gating variables are fast', 'no gating variable is fast', 'gating variables fall in two groups: those that are fast and those that are slow', 'at least one of the ion channels is inactivating', 'the neuron does not generate spikes']",dendrites can be approximated as passive,0 +1241,15100,Life Sciences Engineering,online,The above mentioned property of the energy function [mathjaxinline] H [/mathjaxinline] was proven explicitly in the exercises of this course. In an intermediate step of this proof we could write the energy change as,"['The minus sign of the energy change [mathjaxinline] \\Delta H [/mathjaxinline] itself ensures the decay of the energy function. Thus it is always decreasing, i.e. it never increases.', 'The update dynamics includes the sign-function. Thus the product in the energy change [mathjaxinline] \\Delta H [/mathjaxinline] is always positiv. The minus sign in [mathjaxinline] \\Delta H [/mathjaxinline] finally leads to a negative change in every case. Thus [mathjaxinline] H [/mathjaxinline] is always decreasing, i.e. the energy never increases.', 'The update dynamics includes the sign-function. Thus the product in the energy change [mathjaxinline] \\Delta H [/mathjaxinline] is always negativ. The minus sign in [mathjaxinline] \\Delta H [/mathjaxinline] finally leads to a positive change in every case. Thus [mathjaxinline] H [/mathjaxinline] is strictly increasing.', 'The quantities [mathjaxinline] S_k(t+1) [/mathjaxinline] and [mathjaxinline] \\sum_j w_{kj} S_j(t) [/mathjaxinline] are always orthogonal. Thus their product in [mathjaxinline] \\Delta H [/mathjaxinline] is 0 and accordingly we obtain [mathjaxinline] \\Delta H = 0 [/mathjaxinline]. This means that the energy is conserved: [mathjaxinline] H = const [/mathjaxinline].']","The update dynamics includes the sign-function. Thus the product in the energy change [mathjaxinline] \Delta H [/mathjaxinline] is always positiv. The minus sign in [mathjaxinline] \Delta H [/mathjaxinline] finally leads to a negative change in every case. Thus [mathjaxinline] H [/mathjaxinline] is always decreasing, i.e. the energy never increases.",1 +1242,15100,Life Sciences Engineering,online,"Suppose we have strong biased input, e.g. [mathjaxinline] h_1^{ext} = 0.8 [/mathjaxinline] and [mathjaxinline] h_2^{ext} = 0.2 [/mathjaxinline]. In this case, the nullclines are shifted in such a way that there is only one stable, asymetric fixpoint left (see Lecture Video 5.4). For the decision making this means:","['All trajectories end up in the asymmtric fixpoint. This means the decision reflects the asymmtric bias', 'The decision for [mathjaxinline] h_1 [/mathjaxinline] or [mathjaxinline] h_2 [/mathjaxinline] occurs with 50/50-chance.', 'All trajectories end up in the asymmetric fixpoint. This means no decision is taken']",All trajectories end up in the asymmtric fixpoint. This means the decision reflects the asymmtric bias,0 +1243,15100,Life Sciences Engineering,online,We assume a pair-based STDP model formulated with traces:,"['For pre-before-post the decay of the STDP window is exponential with time constant [mathjaxinline]\\tau_+[/mathjaxinline].', 'For pre-before-post the decay is a double exponential with time constants [mathjaxinline]\\tau_+[/mathjaxinline] and [mathjaxinline]\\tau_-[/mathjaxinline].', 'For pre-before-post the decay of the STDP window is exponential with time constant [mathjaxinline]\\tau_-[/mathjaxinline].', 'The integral over the STDP window is always positive.']",For pre-before-post the decay of the STDP window is exponential with time constant [mathjaxinline]\tau_+[/mathjaxinline].,0 +1244,15052,Life Sciences Engineering,online,2. A dendrite is a part of the neuron ...,"['where synapses are located', 'which collects signals from other neurons', 'along which spikes are sent to other neurons']",where synapses are located,0 +1245,15052,Life Sciences Engineering,online,The space constant of a passive cable is:,"['[mathjaxinline]\\lambda=\\frac{r_m}{r_L}[/mathjaxinline]', '[mathjaxinline]\\lambda=\\frac{r_L}{r_m}[/mathjaxinline]', '[mathjaxinline]\\lambda=\\sqrt{\\frac{r_L}{r_m}}[/mathjaxinline]', '[mathjaxinline]\\lambda=\\sqrt{\\frac{r_m}{r_L}}[/mathjaxinline]']",[mathjaxinline]\lambda=\sqrt{\frac{r_m}{r_L}}[/mathjaxinline],3 +1246,15100,Life Sciences Engineering,online,"Given the above definition of the Hopfield network, what is the interpretation of [mathjaxinline] S, w \text{ and } \xi [/mathjaxinline]?","['[mathjaxinline] S [/mathjaxinline] are the patterns, [mathjaxinline] w [/mathjaxinline] the weights/connections and [mathjaxinline] \\xi [/mathjaxinline] the states of the network.', '[mathjaxinline] S [/mathjaxinline] are the states, [mathjaxinline] w [/mathjaxinline] the weights/connections and [mathjaxinline] \\xi [/mathjaxinline] the stored patterns of the network.', '[mathjaxinline] S [/mathjaxinline] are the states, [mathjaxinline] w [/mathjaxinline] the stored patterns and [mathjaxinline] \\xi [/mathjaxinline] the weights/connections of the network.']","[mathjaxinline] S [/mathjaxinline] are the states, [mathjaxinline] w [/mathjaxinline] the weights/connections and [mathjaxinline] \xi [/mathjaxinline] the stored patterns of the network.",1 +1248,15052,Life Sciences Engineering,online,"Starting from the condition [mathjaxinline] I=0 [/mathjaxinline], how does the fixed point move as [mathjaxinline] I [/mathjaxinline] is increased?","['It moves to the right along [mathjaxinline] f(u) [/mathjaxinline]', 'It moves to the left along [mathjaxinline] f(u) [/mathjaxinline]']",It moves to the right along [mathjaxinline] f(u) [/mathjaxinline],0 +1249,15052,Life Sciences Engineering,online,A spike train is generated by a homogenous Poisson process with rate 25Hz with time steps of 0.1 ms.,"['The most likely interspike interval is 25 ms.', 'The most likely interspike interval is 40 ms.', 'The most likely interspike interval is 0.1 ms.', 'We cannot say.']",The most likely interspike interval is 0.1 ms.,2 +1251,15052,Life Sciences Engineering,online,Consider a leaky integrate-and-fire model with diffusive noise:,"['The membrane potential distribution is always Gaussian.', 'The membrane potential distribution is Gaussian for any time-dependent input.', 'The membrane potential distribution is approximately Gaussian for any time-dependent input, as long as the mean trajectory stays ‘far’ away from the firing threshold.', 'The membrane potential distribution is Gaussian for stationary input in the absence of a threshold.', 'The membrane potential distribution is always Gaussian for constant input and fixed noise level.']","The membrane potential distribution is approximately Gaussian for any time-dependent input, as long as the mean trajectory stays ‘far’ away from the firing threshold.",2 +1252,15052,Life Sciences Engineering,online,Consider AdEx dynamical system:,"['[mathjaxinline]u[/mathjaxinline]-nullcline moves horizontally', '[mathjaxinline]u[/mathjaxinline]-nullcline moves vertically', '[mathjaxinline]w[/mathjaxinline]-nullcline moves horizontally', '[mathjaxinline]w[/mathjaxinline]-nullcline moves vertically']",[mathjaxinline]u[/mathjaxinline]-nullcline moves vertically,1 +1253,15052,Life Sciences Engineering,online,An exponential integrate-and-fire model can be derived,"['from a 2-dimensional model (such as the FizHugh-Nagumo model) assuming that the auxiliary variable [mathjaxinline]w[/mathjaxinline] is constant', 'from the HH model, assuming that the gating variables [mathjaxinline]h[/mathjaxinline] and [mathjaxinline]n[/mathjaxinline] and [mathjaxinline]m[/mathjaxinline] are constant', 'from the HH model, assuming that the gating variables [mathjaxinline]m[/mathjaxinline] is instantaneous and [mathjaxinline]h[/mathjaxinline] and [mathjaxinline]n[/mathjaxinline] are constant']",from a 2-dimensional model (such as the FizHugh-Nagumo model) assuming that the auxiliary variable [mathjaxinline]w[/mathjaxinline] is constant,0 +1399,15100,Life Sciences Engineering,online,"Assume presynaptic spike trains generated by a homogeneous Poisson process with rate [mathjaxinline] \nu_j [/mathjaxinline] . Assume +postsynaptic spike trains generated by another, independent, Poisson process with constant rate [mathjaxinline] \nu_i [/mathjaxinline]. +The expected weight change [mathjaxinline] \left\langle \Delta w_{ij}\right\rangle [/mathjaxinline] during some time [mathjaxinline] T [/mathjaxinline], with [mathjaxinline] T \gg \tau_- [/mathjaxinline], can be expressed using the rates [mathjaxinline] \nu_i [/mathjaxinline] and [mathjaxinline] \nu_j [/mathjaxinline]. Which of the below formulas is the correct one for such a rate formulation?","['[mathjaxinline] \\left\\langle \\Delta w_{ij}\\right\\rangle = T\\nu_i\\nu_j\\int_{-\\infty}^{+\\infty}W(s)ds[/mathjaxinline]', '[mathjaxinline] \\left\\langle \\Delta w_{ij}\\right\\rangle = T\\nu_i^2\\int_{-\\infty}^{+\\infty}W(s)ds[/mathjaxinline]', '[mathjaxinline] \\left\\langle \\Delta w_{ij}\\right\\rangle = T\\nu_i\\nu_j\\int_{0}^{T}W(s)ds[/mathjaxinline]']",[mathjaxinline] \left\langle \Delta w_{ij}\right\rangle = T\nu_i\nu_j\int_{-\infty}^{+\infty}W(s)ds[/mathjaxinline],0 +1401,15052,Life Sciences Engineering,online,If a short current pulse is injected into the dendrite:,"['the voltage at the injection site is maximal immediately after the end of the injection.', 'the voltage at the dendritic injection site is maximal a few milliseconds after the end of the injection.', 'the voltage at the soma is maximal immediately after the end of the injection.', 'the voltage at the soma is maximal a few milliseconds after the end of the injection.']",the voltage at the injection site is maximal immediately after the end of the injection.,0 +1402,15052,Life Sciences Engineering,online,A spike train is generated by an inhomogenous Poisson process with a rate that oscillates periodically (sine wave with 1Hz frequency) between 0 and 50Hz (mean 25Hz). A first spike has been fired at a time when the rate was at its maximum. Time steps are 0.1ms.,"['The most likely interspike interval is 25 ms.', 'The most likely interspike interval is 40 ms.', 'The most likely interspike interval is 0.1 ms.', 'We cannot say.']",The most likely interspike interval is 0.1 ms.,2 +1403,15125,Computer Science,master,Which statement is false in the context of recommender systems?,"['Cold-start problem is a typical problem of user-based collaborative filtering', 'Matrix factorization can be interpreted as a combination of user-based and content-based collaborative filtering', 'In item-based collaborative filtering, the item similarities can be computed in advance', 'Content-based recommendation tends to recommend more of the same items to users']",Matrix factorization can be interpreted as a combination of user-based and content-based collaborative filtering,1 +1404,15125,Computer Science,master,Which of the following is correct regarding Louvain algorithm?,"['It creates a hierarchy of communities with a common root', 'Clique is the only topology of nodes where the algorithm detects the same communities, independently of the starting point', 'If n cliques of the same order are connected cyclically with n-1 edges, then the algorithm will always detect the same communities, independently of the starting point', 'Modularity is always maximal for the communities found at the top level of the community hierarchy']","If n cliques of the same order are connected cyclically with n-1 edges, then the algorithm will always detect the same communities, independently of the starting point",2 +1405,15125,Computer Science,master,"Considering the transaction below, which one is false? +Transaction IDItems Bought1Tea2Tea, Yoghurt3Tea, Yoghurt, Kebap4Kebap5Tea, Kebap","['{Yoghurt, Kebap} has 20% support', '{Tea} has the highest support', '{Yoghurt} -> {Kebab} has 50% confidence', '{Yoghurt} has the lowest support among all itemsets']",{Yoghurt} has the lowest support among all itemsets,3 +1406,15125,Computer Science,master,What is WRONG regarding the Transformer model?,"['Its computation cannot be parallelized compared to LSTMs and other sequential models.', 'It uses a self-attention mechanism to compute representations of the input and output.', 'Its complexity is quadratic to the input size.', 'It captures the semantic context of the input.']",Its computation cannot be parallelized compared to LSTMs and other sequential models.,0 +1407,15125,Computer Science,master,"If we run the Apriori algorithm on the following transaction database with minimal support count of 2, which of the itemsets will have a support count of 3?Transaction IDItemsT1{1,3,4}T2{2,3,5}T3{1,2,3,5}T4{2,5}T5{1,2,3,5}","['{1,5}', '{2,3}', '{2,5}', '{1,2}']","{2,3}",1 +1408,15125,Computer Science,master,"When computing PageRank iteratively, the computation ends when:","['The norm of the difference of rank vectors of two subsequent iterations falls below a predefined threshold', 'The difference among the eigenvalues of two subsequent iterations falls below a predefined threshold', 'All nodes of the graph have been visited at least once', 'The probability of visiting an unseen node falls below a predefined threshold']",The norm of the difference of rank vectors of two subsequent iterations falls below a predefined threshold,0 +1409,15125,Computer Science,master,"Consider the document: “Information retrieval is the task of finding the documents satisfying the information needs of the user” +Using MLE to estimate the unigram probability model, what is P(the|Md) and P(information|Md)?","['1/16 and 1/16', '1/12 and 1/12', '1/4 and 1/8', '1/3 and 1/6']",1/4 and 1/8,2 +1410,15125,Computer Science,master,"Let the first four retrieved documents be N N R R, where N denotes a non-relevant and R a relevant document. Then the MAP (Mean Average Precision) is:","['1/2', '5/12', '3/4', '7/24']",5/12,1 +1411,15125,Computer Science,master,Which one of the following is wrong. Schema mapping is used to:,"['Overcome semantic heterogeneity', 'Reconcile different logical representations of the same domain', 'Optimize the processing of queries', 'Support schema evolution of databases']",Optimize the processing of queries,2 +1414,15125,Computer Science,master,Modularity clustering will end up always with a single community at the top level?,"['true', 'Only for dense graphs', 'Only for connected graphs', 'never']",Only for connected graphs,2 +1416,15125,Computer Science,master,The inverse document frequency of a term can increase ,"['by adding the term to a document that contains the term', 'by removing a document from the document collection that does not contain the term', 'by adding a document to the document collection that contains the term', 'by adding a document to the document collection that does not contain the term']",by adding a document to the document collection that does not contain the term,3 +1417,15125,Computer Science,master,Which of the following is wrong regarding Ontologies?,"['We can create more than one ontology that conceptualize the same real-world entities', 'Ontologies help in the integration of data expressed in different models', 'Ontologies support domain-specific vocabularies', 'Ontologies dictate how semi-structured data are serialized']",Ontologies dictate how semi-structured data are serialized,3 +1418,15125,Computer Science,master,"In a Ranked Retrieval result, the result at position k is non-relevant and at k+1 is relevant. Which of the following is always true (P@k and R@k are the precision and recall of the result set consisting of the k top ranked documents)?","['P@k-1 > P@k+1', 'P@k-1 = P@k+1', 'R@k-1 < R@k+1', 'R@k-1 = R@k+1']",R@k-1 < R@k+1,2 +1419,15125,Computer Science,master,"We want to return, from the two posting lists below, the top-2 documents matching a +query using Fagin’s algorithm with the aggregation function taken as the sum of the tf-idf weights. How many entries (total of both lists) are accessed in the first phase of the +algorithm performing round-robin starting at List 1 (i.e., before performing the random +access)?","['4', '6', '8', '10']",8,2 +1420,15125,Computer Science,master,What is true regarding Fagin's algorithm?,"['It performs a complete scan over the posting files', 'It provably returns the k documents with the largest aggregate scores', 'Posting files need to be indexed by TF-IDF weights', 'It never reads more than (kn)½ entries from a posting list']",It provably returns the k documents with the largest aggregate scores,1 +1421,15125,Computer Science,master,Which of the following is true for Recommender Systems (RS)?,"['Matrix Factorization can predict a score for any user-item combination in the dataset.', 'The complexity of the Content-based RS depends on the number of users', ' Item-based RS need not only the ratings but also the item features', 'Matrix Factorization is typically robust to the cold-start problem.']",Matrix Factorization can predict a score for any user-item combination in the dataset.,0 +1422,15125,Computer Science,master,Which of the following is WRONG for Ontologies?,"['Different information systems need to agree on the same ontology in order to interoperate.', 'They help in the integration of data expressed in different models.', 'They give the possibility to specify schemas for different domains.', 'They dictate how semi-structured data are serialized.']",They dictate how semi-structured data are serialized.,3 +1423,15125,Computer Science,master,Why is non-discounted cumulative gain used as evaluation metrics for recommender systems,"['because often only the top recommendations are considered by the user', 'because it is more accurate than retrieval metrics, like precision and recall', 'because it considers the predicted ratings of all items that have not been rated by the user', 'because it allows to consider the financial value of recommended items\xa0']",because often only the top recommendations are considered by the user,0 +1424,15125,Computer Science,master,What is the benefit of LDA over LSI?,"['LSI is sensitive to the ordering of the words in a document, whereas LDA is not', 'LDA has better theoretical explanation, and its empirical results are in general better than LSI’s', 'LSI is based on a model of how documents are generated, whereas LDA is not', 'LDA represents semantic dimensions (topics, concepts) as weighted combinations of terms, whereas LSI does not']","LDA has better theoretical explanation, and its empirical results are in general better than LSI’s",1 +1425,15125,Computer Science,master,Which of the following is true?,"['High precision implies low recall', 'High precision hurts recall', 'High recall hurts precision', 'High recall implies low precisions']",High precision hurts recall,1 +1426,15125,Computer Science,master,Maintaining the order of document identifiers for vocabulary construction when partitioning the document collection is important,"['in the index merging approach for single node machines', 'in the map-reduce approach for parallel clusters', 'in both', 'in neither of the two']",in the index merging approach for single node machines,0 +1427,15125,Computer Science,master,Which of the following is correct regarding Crowdsourcing?,"['Random Spammers give always the same answer for every question', 'It is applicable only for binary classification problems', 'Honey Pot discovers all the types of spammers but not the sloppy workers', 'The output of Majority Decision can be equal to the one of Expectation-Maximization']",The output of Majority Decision can be equal to the one of Expectation-Maximization,3 +1428,15125,Computer Science,master,"When computing PageRank iteratively, the computation ends when...","['The difference among the eigenvalues of two subsequent iterations falls below a predefined threshold', 'The norm of the difference of rank vectors of two subsequent iterations falls below a predefined threshold', 'All nodes of the graph have been visited at least once', 'The probability of visiting an unseen node falls below a predefined threshold']",The norm of the difference of rank vectors of two subsequent iterations falls below a predefined threshold,1 +1429,15125,Computer Science,master,TransE is known to have difficulties in representing symmetric relationships r. Which of the following statements is correct for a symmetric relationship and provides insight for this problem?,"['For all e1 , e2: \\( f(e_1, r, e_2) = f(e_2, r, e_1) \\)', 'For all e1 , e2: \\( f(e_1, r, e_2) = -f(e_2, r, e_1) \\)', '\\( \\Sigma_{ e_1, e_2} f(e_1, r, e_2) + f(e_2, r, e_1) \\)\xa0is minimized if the embedding vector of r is large', '\\( \\Sigma_{ e_1, e_2} f(e_1, r, e_2) + f(e_2, r, e_1) \\) is minimized if the embedding vectors of e1and e2 are close to each other']","\( \Sigma_{ e_1, e_2} f(e_1, r, e_2) + f(e_2, r, e_1) \) is minimized if the embedding vectors of e1and e2 are close to each other",3 +1430,15125,Computer Science,master,How does LSI querying work?,"['The query vector is treated as an additional term; then cosine similarity is computed', 'The query vector is transformed by Matrix S; then cosine similarity is computed', 'The query vector is treated as an additional document; then cosine similarity is computed', 'The query vector is multiplied with an orthonormal matrix; then cosine similarity is computed']",The query vector is treated as an additional document; then cosine similarity is computed,2 +1433,15125,Computer Science,master,Suppose that an item in a leaf node N exists in every path. Which one is correct? ,"['N co-occurs with its prefix in every transaction.', 'For every node P that is a parent of N in the fp tree, confidence(P->N) = 1', 'N’s minimum possible support is equal to the number of paths.', 'The item N exists in every candidate set.']",N’s minimum possible support is equal to the number of paths.,2 +1434,15125,Computer Science,master,"In a Ranked Retrieval result, the result at position k is non-relevant and at k+1 is relevant. Which of the following is always true (P@k and R@k are the precision and recall of the result set consisting of the k top ranked documents)?","['P@k-1 > P@k+1', 'P@k-1 = P@k+1', 'R@k-1 < R@k+', 'R@k-1 = R@k+1']",R@k-1 < R@k+,2 +1435,15125,Computer Science,master,Semi-structured data,"['is always schema-less', 'always embeds schema information into the data', 'must always be hierarchically structured', 'can never be indexed']",always embeds schema information into the data,1 +1436,15125,Computer Science,master,"How many among the listed classifiers can be used to derive probability estimate of the class label? +1NN, kNN, Rocchio, NB, fasttext","['1', '2', '3', '4']",3,2 +1438,15125,Computer Science,master,"Given the following list of transactions: {apple,milk}, {milk, bread}, {apple, bread, milk}, {bread}, which of the following is correct?","['milk\xa0→ apple has support ½ and confidence 1', 'milk\xa0→ bread has support\xa0½ and confidence 1', 'bread\xa0→ milk has support\xa0½ and confidence 1', 'apple\xa0→ milk has support\xa0½ and confidence 1']",apple → milk has support ½ and confidence 1,3 +1439,15125,Computer Science,master,For the number of times the apriori algorithm and the FPgrowth algorithm for association rule mining are scanning the transaction database the following is true,"['fpgrowth has always strictly fewer scans than apriori', 'fpgrowth and apriori can have the same number of scans', 'apriori cannot have fewer scans than fpgrowth', 'all three above statements are false']",fpgrowth and apriori can have the same number of scans,1 +1440,15125,Computer Science,master,Which is true?,"['Reification is used to produce a more compact representation of complex RDF statements', 'Reification requires to make a statement the subject of another statement', 'Reified statements always make a statement about another statement']",Reified statements always make a statement about another statement,2 +1441,15125,Computer Science,master,"Given the following teleporting matrix (Ε) for nodes A, B and C:[0    ½    0][0     0    0][0    ½    1]and making no assumptions about the link matrix (R), which of the following is correct:(Reminder: columns are the probabilities to leave the respective node.)","['A random walker can never reach node A', 'A random walker can never leave node A', 'A random walker can always leave node C', 'A random walker can always leave node B']",A random walker can always leave node B,3 +1442,15125,Computer Science,master,Suppose that an item in a leaf node N exists in every path. Which one is correct?,"['N co-occurs with its prefix in every transaction.', 'For every node p that is a parent of N in the fp tree, confidence(p->n) = 1 c.', 'N’s minimum possible support is equal to the number of paths.', 'The item N exists in every candidate set.']",N’s minimum possible support is equal to the number of paths.,2 +1443,15125,Computer Science,master,"What is the support of the itemset {beer, chocolate} and the confidence of the rule {chocolate} → {beer} in the dataset below?TID: Items BoughtT1: milk, butter, beerT2: milk, diaper, beer, eggsT3: butter, diaper, beer, chocolate +T4: milk, butter, diaper, beerT5: milk, butter, diaper, chocolate + + + +","['0.2/0.25', '0.4/0.5', '0.2/0.5', '0.4/0.25\n\n\n\n']",0.2/0.5,2 +1444,15125,Computer Science,master,Which of the following methods does not exploit statistics on the co-occurrence of words in a text?,"['Word embeddings\n\n\n', 'Transformers\n\n\n', 'Vector space retrieval\n\n\n', 'Fasttext']","Vector space retrieval + + +",2 +1445,15125,Computer Science,master,Which of the following is true regarding inverted files?,"['The space requirement for the postings file is O(nβ), where β is generally between 0.4 and 0.6', 'Varying length compression is used to reduce the size of the index file', 'Inverted files prioritize efficiency on insertion over efficiency on search', 'Storing differences among word addresses reduces the size of the postings file']",Storing differences among word addresses reduces the size of the postings file,3 +1446,15125,Computer Science,master,The loss function is minimized,"['By modifying the word embedding vectors', 'By changing the sampling strategy for negative samples', 'By carefully choosing the positive samples', 'By sampling non-frequent word-context pairs more frequently']",By modifying the word embedding vectors,0 +1447,15125,Computer Science,master,"Fundamentally, why clustering is considered an unsupervised machine learning technique?","['Number of clusters are not known.', 'The class labels are not known.', 'The features are not known.', 'The clusters can be different with different initial parameters.']",The class labels are not known.,1 +1449,15125,Computer Science,master,Which attribute gives the best split?A1PNa44b44A2PNx51y33A3PNt61j23,"['A1', 'A3', 'A2', 'All the same']",A3,1 +1450,15125,Computer Science,master,"Suppose that q is density reachable from p. The chain of points that ensure this relationship are {t,u,g,r} Which one is FALSE?","['{t,u,g,r} have to be all core points.', 'p and q will also be density-connected', 'p has to be a core point', 'q has to be a border point']",q has to be a border point,3 +1451,15125,Computer Science,master,"In User-Based Collaborative Filtering, which of the following is correct, assuming that all the ratings are positive?","['Pearson Correlation Coefficient and Cosine Similarity have different value range, but return the same similarity ranking for the users', 'If the ratings of two users have both variance equal to 0, then their Cosine Similarity is maximized', 'Pearson Correlation Coefficient and Cosine Similarity have the same value range, but can return different similarity ranking for the users', 'If the variance of the ratings of one of the users is 0, then their Cosine Similarity is not computable']","If the ratings of two users have both variance equal to 0, then their Cosine Similarity is maximized",1 +1452,15125,Computer Science,master,The term frequency of a term is normalized ,"['by the maximal frequency of all terms in the document', 'by the maximal frequency of the term in the document collection', 'by the maximal frequency of any term in the vocabulary', 'by the maximal term frequency of any document in the collection']",by the maximal frequency of all terms in the document,0 +1453,15125,Computer Science,master,Which of the following statements on Latent Semantic Indexing (LSI) and Word Embeddings (WE) is false?,"['LSI is deterministic (given the dimension), whereas WE is not', 'LSI does not depend on the order of words in the document, whereas WE does', 'The dimensions of LSI can be interpreted as concepts, whereas those of WE cannot', 'LSI does take into account the frequency of words in the documents, whereas WE with negative sampling does not']","LSI does take into account the frequency of words in the documents, whereas WE with negative sampling does not",3 +1457,15125,Computer Science,master,"Tugrulcan wanted to plan his next summer vacation so he wrote “best beaches” to his favourite search engine. Little did he know, his favourite search engine was using pseudo-relevance feedback and the top-k documents that are considered relevant were about the beaches only in Turkey. What is this phenomenon called?","['Query Bias', 'Query Confounding', 'Query Drift', 'Query Malfunction']",Query Drift,2 +1458,15125,Computer Science,master,"When compressing the adjacency list of a given URL, a reference list","['Is chosen from neighboring URLs that can be reached in a small number of hops', 'May contain URLs not occurring in the adjacency list of the given URL', 'Lists all URLs not contained in the adjacency list of given URL', 'All of the above']",May contain URLs not occurring in the adjacency list of the given URL,1 +1461,15125,Computer Science,master,Data being classified as unstructured or structured depends on the:,"['Degree of abstraction', 'Level of human involvement', 'Type of physical storage', 'Amount of data ']",Degree of abstraction,0 +1462,15125,Computer Science,master,"With negative sampling a set of negative samples is created for +","['For each word of the vocabulary', 'For each word-context pair', 'For each occurrence of a word in the text', 'For each occurrence of a word-context pair in the text', '']",For each occurrence of a word-context pair in the text,3 +1463,15125,Computer Science,master,"Suppose you have a search engine that retrieves the top 100 documents and +achieves 90% precision and 20% recall. You modify the search engine to +retrieve the top 200 and mysteriously, the precision stays the same. Which one +is CORRECT?","['The recall becomes 10%', 'The number of relevant documents is 450', 'The F-score stays the same', 'This is not possible']",The number of relevant documents is 450,1 +1464,15125,Computer Science,master,Which of the following is true for community detection in social graphs?,"['The Louvain algorithm always creates a hierarchy of communities with a common root.', 'The Louvain algorithm is efficient for small networks, while the Girvan-Newman algorithm is efficient for large networks.', 'If n cliques of the same order are connected cyclically with n edges, then the Louvain algorithm will always detect the same communities, independently of the order of processing of the nodes.', 'The result of the Girvan-Newman algorithm can depend on the order of processing of nodes whereas for the Louvain algorithm this is not the case.']","If n cliques of the same order are connected cyclically with n edges, then the Louvain algorithm will always detect the same communities, independently of the order of processing of the nodes.",2 +1465,15125,Computer Science,master,"In the χ2 statistics for a binary feature, we obtain P(χ2 | DF = 1) > 0.05. This means in this case, it is assumed:","['That the class labels depends on the feature', 'That the class label is independent of the feature', 'That the class label correlates with the feature', 'None of the above']",That the class label is independent of the feature,1 +1467,15125,Computer Science,master,Which of the following is correct regarding the use of Hidden Markov Models (HMMs) for entity recognition in text documents?,"['The cost of learning the model is quadratic in the lengths of the text.', 'The cost of predicting a word is linear in the lengths of the text preceding the word.', 'An HMM model can be built using words enhanced with morphological features as input.', 'The label of one word is predicted based on all the previous labels']",An HMM model can be built using words enhanced with morphological features as input.,2 +1468,15125,Computer Science,master,"10 itemsets out of 100 contain item A, of which 5 also contain B. The rule A -> B has:","['5% support and 10% confidence', '10% support and 50% confidence', '5% support and 50% confidence', '10% support and 10% confidence']",5% support and 50% confidence,2 +1469,15125,Computer Science,master,Which of the following is correct regarding the use of Hidden Markov Models (HMMs) for entity recognition in text documents?,"['HMMs cannot predict the label of a word that appears only in the test set', 'If the smoothing parameter λ is equal to 1, the emission probabilities for all the words in the test set will be equal', 'When computing the emission probabilities, a word can be replaced by a morphological feature (e.g., the number of uppercase first characters)', 'The label of one word is predicted based on all the previous labels']","When computing the emission probabilities, a word can be replaced by a morphological feature (e.g., the number of uppercase first characters)",2 +1470,15125,Computer Science,master,A basic statement in RDF would be expressed in the relational data model by a table,"['with one attribute', 'with two attributes', 'with three attributes', 'cannot be expressed in the relational data model']",with two attributes,1 +1471,15125,Computer Science,master,Which of the following statements is wrong regarding RDF?,"['An RDF statement would be expressed in SQL as a tuple in a table', 'Blank nodes in RDF graphs correspond to the special value NULL in SQL', 'The object value of a type statement corresponds to a table name in SQL', 'RDF graphs can be encoded as SQL databases']",Blank nodes in RDF graphs correspond to the special value NULL in SQL,1 +1472,15125,Computer Science,master,The number of non-zero entries in a column of a term-document matrix indicates:,"['how many terms of the vocabulary a document contains', 'how often a term of the vocabulary occurs in a document', 'how relevant a term is for a document ', 'none of the other responses is correct']",how many terms of the vocabulary a document contains,0 +1473,15125,Computer Science,master,If t has no Hypernym,"['It is a root concept', 'It cannot match c such as\xa0t and X', 'It is identical to the initial root concept', 'It is a basic concept']",It is a root concept,0 +1474,15125,Computer Science,master,Which of the following is true?,"['Exploiting locality with gap encoding may increase the size of an adjacency list', 'Exploiting similarity with reference lists may increase the size of an adjacency list', 'Both of the above is true', 'None of the above is true']",Exploiting locality with gap encoding may increase the size of an adjacency list,0 +1475,15125,Computer Science,master,What is TRUE regarding Fagin's algorithm?,"['Posting files need to be indexed by TF-IDF weights', 'It performs a complete scan over the posting files', 'It never reads more than (kn)1⁄2 entries from a posting list', 'It provably returns the k documents with the largest aggregate scores']",It provably returns the k documents with the largest aggregate scores,3 +1476,15125,Computer Science,master,A false negative in sampling can only occur for itemsets with support smaller than ,"['the threshold s', 'p*s', 'p*m', 'None of the above']",None of the above,3 +1477,15125,Computer Science,master,Why is XML a document model?,"['It supports application-specific markup', 'It supports domain-specific schemas', 'It has a serialized representation', 'It uses HTML tags']",It has a serialized representation,2 +1478,15125,Computer Science,master,What is TRUE regarding the Multi-head Self-attention mechanism?,"['Its computation cannot be parallelized compared to LSTMs and other sequential models.', 'It gives the Transformer the ability to learn different aspects of the meanings of each word.', 'LSTMs have larger memory than models with self-attention.', 'Its complexity is linear to the input size.']",It gives the Transformer the ability to learn different aspects of the meanings of each word.,1 +1479,15125,Computer Science,master,"A row of matrix 𝑊 ^(𝑐) represents +","['How relevant each word is for a dimension', 'How often a context word 𝑐 co-occurs with all words', 'A representation of word 𝑐 in concept space']",How relevant each word is for a dimension,0 +1481,15125,Computer Science,master,"Suppose you have a search engine that retrieves the top 100 documents and achieves 90% precision and 20% recall. You modify the search engine to retrieve the top 200, and mysteriously, the precision stays the same. Which one is correct?","['The recall becomes 10%', 'The number of relevant documents is 450', 'The F-score stays the same', 'This is not possible']",The number of relevant documents is 450,1 +1482,15125,Computer Science,master,A retrieval model attempts to capture,"['the interface by which a user is accessing information', 'the importance a user gives to a piece of information for a query', 'the formal correctness of a query formulation by user', 'the structure by which a document is organised']",the importance a user gives to a piece of information for a query,1 +1485,15125,Computer Science,master,"When computing HITS, the initial values","['Are set all to 1', 'Are set all to 1/n', 'Are set all to 1/sqrt(n)', 'Are chosen randomly']",Are set all to 1/sqrt(n),2 +1486,15125,Computer Science,master,Which of the following is correct regarding schemas and ontologies?,"[' An ontology is created from constructing mappings between schemas', 'Ontologies can be used for reasoning about different schemas', 'Ontologies always require a schema', 'Semi-structured data cannot have a schema']",Ontologies can be used for reasoning about different schemas,1 +1488,15125,Computer Science,master,"Given the 2-itemsets {1,2}, {1,5}, {2,5}, {1,4}, {1,3}, when generating the 3-itemsets we will:","['Generate 5 3-itemsets after the join and 2 3-itemsets after the prune', 'Generate 6 3-itemsets after the join and 1 3-itemsets after the prune', 'Generate 4 3-itemsets after the join and 1 3-itemsets after the prune', 'Generate 4 3-itemsets after the join and 2 3-itemsets after the prune']",Generate 6 3-itemsets after the join and 1 3-itemsets after the prune,1 +1490,15125,Computer Science,master,"When indexing a document collection using an inverted file, the main space requirement is implied by","['The access structure', 'The vocabulary', 'The index file', 'The postings file']",The postings file,3 +1492,15125,Computer Science,master,Which of the following is correct regarding prediction models?,"['A high bias is a sign of overfitting.', 'A high variance is a sign of underfitting.', 'In low data regime, complex models tend to perform better.', 'Simple models have higher bias than complex models.']",Simple models have higher bias than complex models.,3 +1493,15125,Computer Science,master,"For a user that has not done any ratings, which method can make a prediction?","['User-based collaborative RS', 'Item-based collaborative RS', 'Content-based RS', 'None of the above']",None of the above,3 +1495,15125,Computer Science,master,Which statement is correct?,"['The Viterbi algorithm works because words are independent in a sentence', 'The Viterbi algorithm works because it is applied to an HMM model that makes an independence assumption on the word dependencies in sentences', 'The Viterbi algorithm works because it makes an independence assumption on the word dependencies in sentences', 'The Viterbi algorithm works because it is applied to an HMM model that captures independence of words in a sentence']",The Viterbi algorithm works because it is applied to an HMM model that makes an independence assumption on the word dependencies in sentences,1 +1497,15125,Computer Science,master,Recall can be defined as:,"['P(relevant documents | retrieved documents)', 'P(retrieved documents relevant documents)', 'P(retrieved documents number of documents)', 'P(relevant documents number of documents)']",P(retrieved documents relevant documents),1 +1498,15125,Computer Science,master,"Which of the following is WRONG about inverted files? (Slide 24,28 Week 3)","['The space requirement for the postings file is O(n)', 'Variable length compression is used to reduce the size of the index file', 'The index file has space requirement of O(n^beta), where beta is about 1⁄2', 'Storing differences among word addresses reduces the size of the postings file']",Variable length compression is used to reduce the size of the index file,1 +1499,15125,Computer Science,master,Information extraction:,"['Necessarily requires training data.', 'Is used to identify characteristic entities in a document.', 'Is always bootstrapped by using ontologies.', 'Can be used to populate ontologies.']",Can be used to populate ontologies.,3 +1500,15125,Computer Science,master,Which statement is true?,"['Random forests tend to easily overfit', 'Decision trees are robust against small perturbations in the data', 'Random forests are hard to parallelize', 'Decision trees are linear models']",Random forests tend to easily overfit,0 +1501,15125,Computer Science,master,"In User-Based Collaborative Filtering, which of the following is TRUE?","['Pearson Correlation Coefficient and Cosine Similarity have the same value range and return the same similarity ranking for the users.', 'Pearson Correlation Coefficient and Cosine Similarity have different value ranges and can return different similarity rankings for the users', 'Pearson Correlation Coefficient and Cosine Similarity have different value ranges, but return the same similarity ranking for the users', 'Pearson Correlation Coefficient and Cosine Similarity have the same value range but can return different similarity rankings for the users']",Pearson Correlation Coefficient and Cosine Similarity have different value ranges and can return different similarity rankings for the users,1 +1502,15100,Life Sciences Engineering,online,"Even for constant firing rates, the input will fluctuate around the mean input calculated above. Assume that the weights scale as [mathjaxinline] w_0 \propto 1/N[/mathjaxinline].","['The expected input scales as [mathjaxinline] \\overline{I} - I^{\\textrm{ext}} \\propto N [/mathjaxinline]. Its fluctations as [mathjaxinline]~ \\textrm{std}\\left(I_i(t) - I^{\\textrm{ext}}\\right)\\propto N^2[/mathjaxinline]', 'The expected input scales as [mathjaxinline] \\overline{I} - I^{\\textrm{ext}} \\propto const [/mathjaxinline]. Its fluctations as [mathjaxinline]~ \\textrm{std}\\left(I_i(t) - I^{\\textrm{ext}}\\right)\\propto 1/N[/mathjaxinline]', 'The expected input scales as [mathjaxinline] \\overline{I} - I^{\\textrm{ext}}\\propto const [/mathjaxinline]. Its fluctations as [mathjaxinline]~ \\textrm{std}\\left(I_i(t) - I^{\\textrm{ext}}\\right)\\propto 1/\\sqrt{N}[/mathjaxinline]', 'The expected input scales as [mathjaxinline] \\overline{I} - I^{\\textrm{ext}} \\propto const [/mathjaxinline]. Its fluctations as [mathjaxinline]~ \\textrm{std}\\left(I_i(t) - I^{\\textrm{ext}}\\right)\\propto const[/mathjaxinline]']",The expected input scales as [mathjaxinline] \overline{I} - I^{\textrm{ext}}\propto const [/mathjaxinline]. Its fluctations as [mathjaxinline]~ \textrm{std}\left(I_i(t) - I^{\textrm{ext}}\right)\propto 1/\sqrt{N}[/mathjaxinline],2 +1503,15043,Life Sciences Engineering,online,"Moving through V2, V4, the posterior inferior temporal (IT) cortex and the anterior IT cortex takes one further along the ventral stream away from V1. Which of these area is likely to have neurons tuned for the most complex shapes?","['V4', 'Posterior IT', 'V2', 'Anterior IT']",Anterior IT,3 +1504,15043,Life Sciences Engineering,online,How is an input implemented in the model?,"['An axon from the primary visual cortex was added to the microcircuit based on biological data on synapse density', 'A predetermined number of neurons in the microcircuit were activated to simulate an external input', 'A thalamic innervation was added to the microcircuit based on biological data on synapse density', 'All synapses present in one microcolumn were matched to different single neurons situated in the hypothetical input region']",A thalamic innervation was added to the microcircuit based on biological data on synapse density,2 +1505,15043,Life Sciences Engineering,online,In which case do you need optimization algorithm to construct a data-driven model?,"['When dealing with long-tail data', 'When the data is sparse', 'When the data used is at a higher level than the model', 'When the data used is at the same level than the model']",When the data used is at a higher level than the model,2 +1506,15043,Life Sciences Engineering,online,What type of stimuli allows the best predictions of the response of a cell in the primary visual cortex to a broad range of stimuli?,"['Short bars', 'Natural Images', 'White noise', 'All stimuli allow equally accurate predictions']",Natural Images,1 +1507,15043,Life Sciences Engineering,online,What is the order of magnitude of a large-scale dataset in neuroscience?,"['8 GB', '100 GB', '8 TB', '1 PB']",8 TB,2 +1508,15043,Life Sciences Engineering,online,Which assertions concerning the suppression signal are true?,"['It is slower than the original waves', 'It has the same speed than the original waves', 'It can only be observed with spontaneous activity', 'It is always present when waves collide']",It has the same speed than the original waves,1 +1509,15043,Life Sciences Engineering,online,What is the relation between running speed and cell activity in the presence of any random visual stimulus?,"['Cell activity increases with running speed', 'Cell activity decreases with running speed', 'Depending of the running speed, the activity can be enhanced or suppressed', 'It differs between cells and can be any of the above']",It differs between cells and can be any of the above,3 +1510,15043,Life Sciences Engineering,online,What happens when two waves collide?,"['They merge and go on as the sum of the two original waves', 'They merge and go on weaker than the sum of the two original waves', 'They merge and go on with the amplitude of the strongest of the two original waves', 'They cancel each other out']",They merge and go on weaker than the sum of the two original waves,1 +1511,15043,Life Sciences Engineering,online,Why are whole cell preps not ideal for cell type characterization in adult human brain tissue?,"['Enzymatic methods generate cellular debris that hinder cell dissociation and compromise prep quality', 'The variety of enzymes used for cell dissociation impacts the health and type of cells recovered in the final prep', 'The recovery of cells is biased towards glial cells', 'All of the above']",All of the above,3 +1512,15043,Life Sciences Engineering,online,"According to the model, what causes the suppression effect when waves collide?","['The spatially restrained connectivity of inhibitory cells', 'The conductance shunting the cells in response to a high input regime', 'The model does not reproduce the suppression effect', 'The greater response of inhibitory cells than of excitatory cells to the same input']",The conductance shunting the cells in response to a high input regime,1 +1513,15043,Life Sciences Engineering,online,What is the idea behind a feed-forward model for creating an elongated receptive field?,"['A cell in the primary visual cortex sums up the information over time of a cell from the LGN', 'Cells between the LGN and the visual cortex integrate and relay the information', 'A cell in the primary visual cortex sums up the information of several LGN cells', 'None of the above']",A cell in the primary visual cortex sums up the information of several LGN cells,2 +1514,15043,Life Sciences Engineering,online,What are the two core ways to think about how brain function may be organized?,"['Functional specialization and functional integration', 'Functional specialization and anatomical organization', 'Functional integration and anatomical organization', 'Anatomical organization and neuronal classification']",Functional specialization and functional integration,0 +1517,15043,Life Sciences Engineering,online,>>Is the model of a neocortical microcircuit able to reproduce independent biological data?,"['Spontaneous activity as predicted by the model reproduces known biological activity well, but evoked activity cannot be reproduced yet', 'No, the model’s predictions did not match published results so the model must be adapted', 'The model is not implemented in a way that allows in silico experiments yet', 'Yes, the results of several independent papers have been reproduced in silico']","Yes, the results of several independent papers have been reproduced in silico",3 +1519,15043,Life Sciences Engineering,online,How does the activity of the mouse influence the response of single neurons in V1 to their preferred stimulus?,"['The average response is weaker when the mouse is running', 'The activity of the mouse does not influence the response', 'The running speed of the mouse directly correlates to the strength of the response', 'The average response is stronger when the mouse is running']",The average response is stronger when the mouse is running,3 +1521,15043,Life Sciences Engineering,online,How is the strength of the thalamic stimulus modulated?,"['By increasing the number of hypothetical thalamic neurons spiking', 'By increasing the frequency of spiking of the thalamic neurons', 'By increasing the number of thalamic innervation in the microcircuit', 'By increasing the number of excitatory synapses in the microcircuit']",By increasing the number of hypothetical thalamic neurons spiking,0 +1522,15043,Life Sciences Engineering,online,What are the difficulties in measuring the response of a cell in order to calculate its transfer function in absence of an analytical template?,"['Eliminating noise from the measurement', 'Obtaining responses to enough different stimuli from a single cell', 'Maintaining the cell alive for a sufficient amount of time', 'Patch-clamp causes a drift of the threshold over time']",Obtaining responses to enough different stimuli from a single cell,1 +1526,15043,Life Sciences Engineering,online,Which of the following characteristics apply to cleared brain tissue?,"['It allows the analysis of action potential propagation', 'It can be analysed by electron microscopy and two-photon microscopy', 'The brain tissue is transparent', 'It can be stained by immunohistochemistry']",It can be analysed by electron microscopy and two-photon microscopy,1 +1528,15043,Life Sciences Engineering,online,"In RNA-seq, what are intronic reads?","['Sets of transcripts that map to distant locations on the genome', 'Junk RNA sequences', 'Fragments that map to DNA sequence found between gene bounds but that do not overlap known coding sequence (exons)', 'Non coding RNA sequences']",Fragments that map to DNA sequence found between gene bounds but that do not overlap known coding sequence (exons),2 +1529,15043,Life Sciences Engineering,online,Which clustering method would you use to visually probe the possible number of clusters present in your region of interest?,"['Spectral reordering', 'k-means clustering', 'Hierarchical clustering', 'None of the above']",Spectral reordering,0 +1530,15043,Life Sciences Engineering,online,In which brain region are the boundaries between brain area the clearest?,"['In the frontal lobe', 'Near the hypothalamus', 'In the parietal lobe', 'Close to the early sensory areas']",Close to the early sensory areas,3 +1531,15043,Life Sciences Engineering,online,How is the number of networks found by a matrix decomposition analysis determined?,"['It is equal to the number of tasks that have been used experimentally', 'It is computed along with the networks themselves during the matrix decomposition', 'It can be estimated in a heuristic manner', 'It can be derived from the number of neural fiber bundles']",It can be estimated in a heuristic manner,2 +1535,15043,Life Sciences Engineering,online,How is the electrical type of the modeled neurons determined?,"['The morphological type determines the electrical type of the neuron', 'The electrical behavior was sampled for each morphological type, and assigned accordingly', 'Averaged electrical behaviors were applied to inhibitory and excitatory neuron', 'The known electrical types have been assigned in equal proportions to all neurons']","The electrical behavior was sampled for each morphological type, and assigned accordingly",1 +1541,15043,Life Sciences Engineering,online,What are some differences between the human and rodent neocortex?,"['The human neocortex is layered, whereas the rodent neocortex is not', 'The rodent neocortex does not contain any interneurons', 'Some neuron types are present in the human brain, but not in rodents', 'Human astrocytes are bigger and more complex than mouse astrocytes']","Some neuron types are present in the human brain, but not in rodents",2 +1542,15043,Life Sciences Engineering,online,Which assertion concerning the number of clusters in cluster analysis is true?,"['The number of cluster has to be fixed beforehand when using hierarchical clustering', 'The k-means algorithm only finds a solution to the clustering problem for the right amount of clusters', 'Most cluster algorithms determine the most likely number of cluster present in the data analyzed', 'In clustering, you always get a solution, independently of the pre-specified number of clusters']","In clustering, you always get a solution, independently of the pre-specified number of clusters",3 +1543,15043,Life Sciences Engineering,online,Which of the following datasets are available via the Allen Brain Institute?,"['The Mouse Brain Atlas, which includes gene expression data mostly from in situ hybridization', 'The Human Brain Atlas, which includes gene expression data mostly from in situ hybridization', 'The Human Brain Observatory, showing the response of single cells from the human visual cortex to various stimuli', 'The Mouse Brain Observatory, showing the response of single cells from the mouse visual cortex to various stimuli']","The Mouse Brain Atlas, which includes gene expression data mostly from in situ hybridization",0 +1544,15043,Life Sciences Engineering,online,What is the relationship between dendrite morphology and action potential propagation?,"['Larger dendrites enable faster APs', 'Smaller dendrites allow faster AP propagation', 'Larger dendrites slow down the propagation of APs', 'None of the above']",Larger dendrites enable faster APs,0 +1546,15043,Life Sciences Engineering,online,Which of the following statements concerning macroscopic brain networks are true?,"['They are extracted from data using clustering algorithms', 'Different networks can topographically overlap each other', 'Each network is specifically activated during a single task', 'They are extracted from data using matrix decomposition algorithms']",Different networks can topographically overlap each other,1 +1547,15043,Life Sciences Engineering,online,How is the number of synapses per connection computed based on axo-dendritic appositions in the microcircuit corrected in order to be biologically correct?,"['By randomly discarding a percentage of the connections', 'By discarding connections with a too high number of synapses', 'By discarding connections with a too low or too high number of synapses', 'It does not need to be corrected']",By discarding connections with a too low or too high number of synapses,2 +1548,15043,Life Sciences Engineering,online,Which properties differ between rodent and human neocortical microcircuits?,"['Membrane capacitance', 'Dendritic structure and number of synapses per neuron', 'Recovery from short-term depression and information transfer capacity', 'All of the above']",All of the above,3 +1549,15043,Life Sciences Engineering,online,Which of the following assumptions about text mining at Blue Brain and brain connectivity are true?,"['The text mining process looks for co-occurrences of brain region names, but not their relation', 'The text mining process looks for co-occurrences of brain region names and their relation', 'Only standard region names as used by Blue Brain can be recognized', 'A list of synonym of brain region names is used to recognize their mention in the literature']",The text mining process looks for co-occurrences of brain region names and their relation,1 +1550,15043,Life Sciences Engineering,online,Which of the following assertions concerning propagating waves are true?,"['A complex experimental setup is necessary to record propagating waves', 'Voltage-sensitive dyes can be used to observe propagating waves', 'Propagating waves occur only in vivo', 'Propagating waves are a kind of network activity']",Voltage-sensitive dyes can be used to observe propagating waves,1 +1552,15043,Life Sciences Engineering,online,What types of cells or tissue other than neurons are studied in the frame of Blue Brain?,"['Glial cells', 'Vasculature', 'T lymphocytes', 'Adipocytes']",Glial cells,0 +1553,15043,Life Sciences Engineering,online,Which assumptions concerning the autoencoders presented here are true?,"['They are unsupervised algorithms', 'They are supervised algorithms', 'They search for the structures in the brain best able to discriminate between several tasks performed', 'They search for the relevant structures in the brain in general']",They are unsupervised algorithms,0 +1554,15043,Life Sciences Engineering,online,What is the main advantage of light sheet microscopy over serial two-photon microscopy to image the whole brain?,"['A higher signal-to-noise ratio', 'The possibility of multicolor post-mortem labeling', 'A shorter sample preparation time', 'Cheaper reagents']",The possibility of multicolor post-mortem labeling,1 +1557,15043,Life Sciences Engineering,online,What regions of the brain express tyrosine hydroxylase (avg log2 intensity > 8) ?,"['IRoG', 'LC', 'Subiculum', 'SNr', 'Pons', 'Corpus Callosum']",LC,1 +1559,15043,Life Sciences Engineering,online,"Receptive fields in the lateral geniculate nucleus (LGN) are typically circular. According to the feed-forward model, how is the information processed to generate the receptive fields observed in the primary visual cortex?","['The information is processed by several cells that relay the information between the LGN and the primary visual cortex', 'Receptive fields in the LGN and in the primary visual cortex are identical, thus no processing is required', 'Receptive fields in the primary visual cortex emerge through the summation of the inputs over time of an LGN cell', 'Receptive fields in the primary visual cortex emerge through the summation of the inputs of several LGN cells']",Receptive fields in the primary visual cortex emerge through the summation of the inputs of several LGN cells,3 +1564,15043,Life Sciences Engineering,online,Array tomography is an automated imaging method being developed to study cell type specific connectivity in an efficient manner. Which images have to be aligned after acquisition with array tomography in order to see multiple stainings in a 3D image?,"['Neighboring slices along the z-axis to get a 3-dimensional image', 'Images of the same area acquired after different immunostainings in order to have the information from all stainings in one image', 'Neighboring areas in the same slice in order to get an image of the whole region of interest', 'All of the above']",All of the above,3 +1566,15043,Life Sciences Engineering,online,How is the spatial distribution of the dendrites after a stroke and after rehabilitation studied?,"['With fixed brain tissue originating from animals having undergone rehabilitation or not', 'In vivo before and after rehabilitation', 'Using one-photon microscopy and a voltage-sensitive dye', 'Using two-photon microscopy with an enlarged field of view']",In vivo before and after rehabilitation,1 +1567,15043,Life Sciences Engineering,online,Which of the following assertions concerning the data used for the modeling are true?,"['It was generated using standardized methods and is thus easily organized', 'It comes from various sources, organisms and types of experiments, and needs to be classified according to several criteria', 'It can be visualized using brain atlases', 'New data can be added only if it was generated using specific methods']","It comes from various sources, organisms and types of experiments, and needs to be classified according to several criteria",1 +1570,15043,Life Sciences Engineering,online,What is long-tail data?,"['Data that is not standardized and not structured in a machine-accessible way', 'Non-printed data', 'Data that has a broad influence in a specific field of research', 'None of the above']",Data that is not standardized and not structured in a machine-accessible way,0 +1571,15043,Life Sciences Engineering,online,At which level does rehabilitation after a stroke have an effect?,"['At the nanometre level – it changes the plasticity of the spine', 'At the 100 micron level – it changes the orientation of the dendrites', 'At the millimetre level – it changes the functional connectivity', 'All of the above']",All of the above,3 +1572,15043,Life Sciences Engineering,online,Which of the following statements are true concerning the mouse visual cortex?,"['Cells in parts of the dorsal stream are tuned for speed', 'Cells in the dorsal stream are more tuned for direction than cells in the ventral stream', 'In average, cells in the ventral stream have a higher image selectivity than cells in the dorsal stream', 'In average, cells in the ventral stream have a preference for higher spatial frequencies than cells in the dorsal stream']",Cells in parts of the dorsal stream are tuned for speed,0 +1573,15043,Life Sciences Engineering,online,What differs between the ventral and dorsal pathways?,"['The dorsal pathway is located in V1, and the ventral pathway in V2', 'The dorsal pathway is located along the parietal axis of the cortex and the ventral pathway in the inferior temporal lobe', 'The dorsal pathway is involved in motion processing and the ventral pathway in object selectivity', 'The dorsal pathway is involved in color processing an the ventral pathway in orientation selectivity']",The dorsal pathway is located along the parietal axis of the cortex and the ventral pathway in the inferior temporal lobe,1 +1574,15043,Life Sciences Engineering,online,Which marker(s) enable human neuronal nuclei to be successfully separated from cell debris?,"['Glial markers', 'Cell surface markers', 'Nuclear stain NeuN', 'DNA marker DAPI']",Cell surface markers,1 +1575,15043,Life Sciences Engineering,online,What is a large issue when using text mining to extract information from long-tail data?,"['The limited computing power', 'The large variety of ways the same information can be reported', 'The amount of text that is not electronically available', 'All of the above']",The large variety of ways the same information can be reported,1 +1576,15043,Life Sciences Engineering,online,What functional consequences does a reduced membrane capacitance have according to computational models?,"['It reduces the number of synapses needed to fire an action potential', 'It enhances the number of synapses needed to fire an action potential', 'It potentially allows single neurons to encode more information', 'It potentially allows single neurons to encode information faster']",It reduces the number of synapses needed to fire an action potential,0 +1577,15043,Life Sciences Engineering,online,What is the approximate scale of the part of the brain represented by one mean field model?,"['One neuron', 'A neuron network occupying one pixel of the experimental image', 'The V1 area', 'A neuron network of 10 neurons']",A neuron network occupying one pixel of the experimental image,1 +1579,15043,Life Sciences Engineering,online,Why is the dissociation of single cells a challenge when handling human brain tissue?,"['The human brain is large', 'The neuropil is very densely packed', 'There are many different cell types', 'There are more cortical layers than in other species']",The neuropil is very densely packed,1 +1580,15043,Life Sciences Engineering,online,"What is a particularity of computational neuroscience publications, for example of Blue Brain or of the Allen Institute, for the biological field?","['All published articles are open-access', 'The article format is that of physics article and not typical biology articles', 'They are accompanied by a machine-accessible list of all measured parameters', 'The list of authors is long, reflecting large teams']","The list of authors is long, reflecting large teams",3 +1581,15043,Life Sciences Engineering,online,What has been shown to allow faster repeated action potential firing in human neurons than in rodent neurons?,"['Different sodium channel kinetics', 'The larger dendrite to axon size ratio', 'A higher bouton concentration', 'A Thicker membrane at the cell body']",The larger dendrite to axon size ratio,1 +1582,15043,Life Sciences Engineering,online,Which of the following is true about messenger RNA?,"['It identifies and repairs DNA breaks', 'It is not present in the brain', 'It is necessary for DNA to form', 'Many copies of the same messenger RNA can exist in the same cell']",Many copies of the same messenger RNA can exist in the same cell,3 +1584,15043,Life Sciences Engineering,online,What is a problem when using text mining to extract protein concentrations from the literature?,"['There many ways of reporting protein concentrations', 'Protein concentration values are mostly located in long-tail data', 'The text mining algorithm cannot assign units to the numerical values extracted', 'Text mining tools are efficient in extracting texual, not numerical, information']",There many ways of reporting protein concentrations,0 +1585,15043,Life Sciences Engineering,online,Which characteristics are specific to the human brain compared to the rodent brain?,"['The brain to body size ratio', 'The types of cells present in the neocortex', 'The molecular structure of the synapses', 'The size of glial cells']",The brain to body size ratio,0 +1586,15043,Life Sciences Engineering,online,Which technique can be used to obtain transcriptomic data?,"['DNA-sequencing', 'Measuring the cellular response to electrical stimuli', 'RNA-sequencing', 'Western blotting']",RNA-sequencing,2 +1588,15043,Life Sciences Engineering,online,Which of the following techniques can be used for connectivity-based parcellation of the human brain?,"['Meta-analytic connectivity modeling', 'Axonal tracing', 'Diffusion-weighted magnetic resonance imaging', 'Resting-state functional connectivity']",Meta-analytic connectivity modeling,0 +1590,15043,Life Sciences Engineering,online,What type of experiments provide useful information on microcircuit properties?,"['Single cell recordings', 'Multi-unit recordings', 'Paired intracellular recordings', 'Whole-cell recordings']",Paired intracellular recordings,2 +1591,15043,Life Sciences Engineering,online,Is more neurobiologically plausible to segregate the brain into n spatially distinct areas using clustering or n spatially overlapping networks using matrix decomposition in order to infer which task was originally performed based on brain activity?,"['Segregating the brain into spatially distinct areas', 'Segregating the brain into overlapping networks', 'Segregating the brain into spatially distinct areas when the task primarily involves sensory processing and segregating the brain into overlapping networks when emotions are involved', 'Both are equally good']",Segregating the brain into overlapping networks,1 +1592,15043,Life Sciences Engineering,online,Which factor in the equation describing the current going through a synapse has a time-dependent profile?,"['The number of released neurotransmitter vesicles', 'The strength of the release site', 'The opening probability', 'The driving force']",The opening probability,2 +1593,15043,Life Sciences Engineering,online,The default mode network…,"['is associated with the aRTPJ', 'is associated with the pRTPJ', 'is known to increase brain activity in the absence of controlled goal-directed behavior', 'is known to decrease brain activity in the absence of controlled goal-directed behavior']",is associated with the pRTPJ,1 +1594,15043,Life Sciences Engineering,online,Do different genetically-identified types of cells have different visual responses?,"['Yes, the distribution of the preferred temporal frequency clearly differs between cell types', 'Yes, the distribution of the preferred spatial frequency clearly differs between cell types', 'No, the distributions of the spatial and temporal frequencies are the same across cell types', 'Partly; genetically-identified cell types do not have unique patterns in the distributions of their preferred frequencies, but some cell types have some of their response characteristics that stand out']","Partly; genetically-identified cell types do not have unique patterns in the distributions of their preferred frequencies, but some cell types have some of their response characteristics that stand out",3 +1597,15043,Life Sciences Engineering,online,What is a reflected wave?,"['A wave with a split centre of mass', 'A wave moving in two opposite directions from the centre of primary activity', 'A wave moving in the direction of the primary activity after bouncing off the boundary of a brain region', 'A wave moving in the direction of the primary activity after bouncing off a wave of inhibitory activity']",A wave moving in the direction of the primary activity after bouncing off the boundary of a brain region,2 +1598,15043,Life Sciences Engineering,online,"What type of search should you use if you are looking for genes highly expressed in the cingulate gyrus, but not in the parietal lobe?","['Site search', 'Gene search', 'Differential search', 'Correlative search']",Differential search,2 +1599,15043,Life Sciences Engineering,online,">>Studying the mouse visual cortex, what can be observed across the different areas in response to a vertical bar moving on a screen?","['Different areas will be activated sequentially depending on the position of the vertical bar', 'Different areas will be activated depending on the color of the vertical bar', 'Activity will be observed uniquely in the area responding to vertical bars', 'Waves of activity will propagate though different areas as the vertical bar move across the screen']",Waves of activity will propagate though different areas as the vertical bar move across the screen,3 +1600,15043,Life Sciences Engineering,online,What does the value represented in a MACM-based activity map quantify?,"['The normalized number of axons connecting a specific part of the brain to the voxel of interest', 'The proportion of trials during which a specific part of the brain was co-activated with the voxel of interest', 'The likelihood that a specific part of the brain co-activates with the voxel of interest across tasks', 'The number of co-activation occurrences of a specific region of the brain with the voxel of interest during a specific task over the number of co-activation occurrences during other tasks']",The likelihood that a specific part of the brain co-activates with the voxel of interest across tasks,2 +1606,15053,Physics,online,"If \(\vec{E}=E_0 \hat{e}_x\) and \(\vec{B}=B_0 \hat{e}_y\), with \(E_0 \gt 0\) and \(B_0 \gt 0\), the ExB drift is","['Along the \\(\\hat{e}_z\\) direction for both electron and ions', 'Along the \\(\\hat{e}_z\\) direction for electron and -\\(\\hat{e}_z\\) for the ions', 'Along the -\\(\\hat{e}_z\\) direction for electron and \\(\\hat{e}_z\\) for the ions', 'Along the -\\(\\hat{e}_z\\) direction for both electron and ions']",Along the \(\hat{e}_z\) direction for both electron and ions,0 +1608,15053,Physics,online,"Consider a uniform ""MHD plasma"". Which of the following statements is correct:","['For transverse waves, \\(\\vec{k}\\) has a component that is parallel to the equilibrium \\(\\vec{B}_0\\) and the wave is of compressional type', 'For longitudinal waves, \\(\\vec{k}\\) has a component that is parallel to the equilibrium \\(\\vec{B}_0\\) and the wave is of compressional type', 'For longitudinal waves, the perturbed velocity \\(\\vec{V}_1\\) has a component that is perpendicular to the equilibrium \\(\\vec{B}_0\\) and the wave is of non-compressional type', 'For transverse waves, the perturbed velocity \\(\\vec{V}_1\\) has a component that is parallel to the equilibrium \\(\\vec{B}_0\\) and the wave is of non-compressional type']","For longitudinal waves, \(\vec{k}\) has a component that is parallel to the equilibrium \(\vec{B}_0\) and the wave is of compressional type",1 +1609,15053,Physics,online,The conservation of particle number:,"['Neglecting sources and sinks, is given by the balance between the variation of the number of particles inside a certain volume in phase space and the flux across the five-dimensional surface surrounding it', 'Taking into account sources and sinks, is given by the balance between the variation of the number of particles inside a certain volume in phase space and the flux across the five-dimensional surface surrounding it', 'Is valid only in the three-dimensional configuration space', 'Is valid only in the three-dimensional velocity space']","Neglecting sources and sinks, is given by the balance between the variation of the number of particles inside a certain volume in phase space and the flux across the five-dimensional surface surrounding it",0 +1615,15053,Physics,online,The Boltzmann equation for plasmas:,"['Is valid only if collisions (i.e. short range forces) are present', 'Describes the evolution of the distribution function in phase space, taking into account their dynamics due to short and long range forces', 'Is different from the one for gases because of the presence of collisions, and takes into account the short range interactions due to nuclear forces', 'Can be written only for the electron species']","Describes the evolution of the distribution function in phase space, taking into account their dynamics due to short and long range forces",1 +1619,15053,Physics,online,By using a linear device:,"['One can confine all plasma particles if the strength of the magnetic field at the end of the device exceeds a threshold value', 'A certain class of particles are not confined', 'It is impossible to confine any plasma particle because of the plasma diamagnetic properties', 'The plasma cannot be confined as it is immediately lost in the direction perpendicular to the magnetic field']",A certain class of particles are not confined,1 +1620,15053,Physics,online,In a plasma:,"['The energy of the particles is so high that this state is rarely present in nature', 'There are no charged particles, because the electrons and ions attract each other', 'Charged particles (ions and electrons) move under the effect of electromagnetic fields imposed externally and that they themselves generate', 'Neutral atoms move under the effect of electromagnetic fields imposed externally and that they themselves generate']",Charged particles (ions and electrons) move under the effect of electromagnetic fields imposed externally and that they themselves generate,2 +1632,15053,Physics,online,The grad B drift is in the direction:,"['Parallel to B and the gradient of the magnetic field', 'Parallel to B and perpendicular to the gradient of the magnetic field', 'Perpendicular to B and parallel to the gradient of the magnetic field', 'Perpendicular to B and the gradient of the magnetic field']",Perpendicular to B and the gradient of the magnetic field,3 +1633,15053,Physics,online,"The result from exercise 3.5d) shows that \(B_{1y}\) satisfies the wave equation with a phase velocity along the z-axis given by \( c_A \). From exercise 3.5a), we know that the general solution for \(B_{1y}\) is therefore given by two arbitrary perturbations traveling to the right and to the left, respectively, at a velocity \( c_A \). What final step is needed to complete the analogy between guitar strings and the dynamics of magnetic field lines associated with shear Alfvén waves?","['As the background field \\(\\vec{B}_0\\) is constant, the first order transverse component \\(B_{1y} \\) entirely defines the form of the magnetic field lines. Therefore, like \\(B_{1y} \\), the magnetic field deformations can be described as the sum of two arbitrary perturbations traveling to the right and to the left, respectively. This is the same behavior as that of a vibrating string.', 'The magnetic field line displacement \\( \\xi \\) is given by \\(\\xi = B_{1y}/B_0 \\). Therefore, like \\(B_{1y} \\), the magnetic field deformations can be described as the sum of two arbitrary perturbations traveling to the right and to the left, respectively. This is the same behavior as that of a vibrating string.']","As the background field \(\vec{B}_0\) is constant, the first order transverse component \(B_{1y} \) entirely defines the form of the magnetic field lines. Therefore, like \(B_{1y} \), the magnetic field deformations can be described as the sum of two arbitrary perturbations traveling to the right and to the left, respectively. This is the same behavior as that of a vibrating string.",0 +1634,15053,Physics,online,The linearization technique allows you to:,"['Study the growth rate and the saturation of the normal modes present in a plasma', 'Study the coupling between the different modes present in a plasma', 'Separate the normal modes present in the plasma, and evaluate their growth rate or frequency', 'Provide results that are always physically meaningful']","Separate the normal modes present in the plasma, and evaluate their growth rate or frequency",2 +1638,15053,Physics,online,"One of the specific properties of isobaric surfaces in a static, ideal MHD equilibrium is that:","['The magnetic field and current density are parallel to the pressure gradient', 'The pressure gradient is tangential to these surfaces', 'The magnetic field and current density are tangential to these surfaces', 'The magnetic field and current density are perpendicular to these surfaces']",The magnetic field and current density are tangential to these surfaces,2 +1642,15053,Physics,online,"If you slowly increase the magnetic field, since the magnetic moment is an adiabatic invariant:","['The perpendicular velocity of the particle decreases', 'The perpendicular velocity of the particles remains approximatively the same', 'The perpendicular velocity of the particle increases', 'The particle stops']",The perpendicular velocity of the particle increases,2 +1643,15053,Physics,online,\(N_D \gg 1\) implies that:,"['One-to-one interactions are weak with respect to collective effects and the collision frequency is larger than the plasma frequency', 'One-to-one interactions are strong with respect to collective effects and the collision frequency is larger than the plasma frequency', 'One-to-one interactions are weak with respect to collective effects and the collision frequency is smaller than the plasma frequency', 'One-to-one interaction are strong with respect to collective effects and the collision frequency is smaller than the plasma frequency']",One-to-one interactions are weak with respect to collective effects and the collision frequency is smaller than the plasma frequency,2 +1645,15053,Physics,online,"When an electric field is applied to a plasma, the plasma current","['Is parallel to the electric field, independently of its direction', 'Is never in the direction of the electric field', 'Is always of the direction of the electric field, in case of B=0', 'Is parallel to the electric field, in case of electric field perpendicular to the magnetic field']","Is always of the direction of the electric field, in case of B=0",2 +1648,15053,Physics,online,"When a wave encounters a cut-off, it","['Is absorbed by the plasma', 'Is reflected', 'Has a wavenumber that tends to infinity', 'Has a frequency that tends to infinity']",Is reflected,1 +1649,15053,Physics,online,Which of the following statements about a superparticle in the PIC method is correct?,"['A superparticle corresponds to a charged particle present in a plasma', 'A superparticle has a domain that occupies a limited portion of the phase space', 'A superparticle moves according to exactly the same laws as a charged particle in a plasma', 'A superparticle has a volume that changes in time']",A superparticle has a domain that occupies a limited portion of the phase space,1 +1652,15053,Physics,online,An ideal MHD equilibrium is always unstable:,"['When the plasma pressure increases', 'When the imaginary part of the frequency at which the perturbation \\( \\propto exp(-i\\omega t)\\) of the equilibrium occurs is positive', 'If the variation in the potential energy of the system, d\\(W \\), is larger than zero for all physical displacements \\(\\vec{\\xi} \\)', 'If the wall surrounding the plasma column has a finite resistivity']",When the imaginary part of the frequency at which the perturbation \( \propto exp(-i\omega t)\) of the equilibrium occurs is positive,1 +1661,15053,Physics,online,Which one of the following statements concerning a fluid model isnotvalid?,"['A fluid model evolves quantities such as density, fluid velocity, temperature', 'A fluid model can be obtained by integrating the kinetic equation in velocity space', 'A fluid model provides a plasma description that is less accurate than a kinetic model', 'A fluid model is constituted by a set of equations that can be self-consistently closed']",A fluid model is constituted by a set of equations that can be self-consistently closed,3 +1663,15053,Physics,online,The ordinary mode is characterized by:,"['\\(\\vec{k}\\) perpendicular to \\(\\vec{B}_0\\), and \\(\\vec{E}_1\\) parallel to \\(\\vec{B}_0\\)', 'Both \\(\\vec{k}\\) and \\(\\vec{E}_1\\) perpendicular to \\(\\vec{B}_0\\)', '\\(\\vec{k}\\) parallel to \\(\\vec{B}_0\\), and \\(\\vec{E}_1\\) perpendicular to \\(\\vec{B}_0\\)', '\\(\\vec{k}\\), \\(\\vec{B}_0\\), and \\(\\vec{E}_1\\) all parallel']","\(\vec{k}\) perpendicular to \(\vec{B}_0\), and \(\vec{E}_1\) parallel to \(\vec{B}_0\)",0 +1664,15053,Physics,online,"By integrating a distribution function \( f(\vec{r},\vec{v},t)\) over the full configuration space, one obtains:","['A function of velocity and time, which expresses the probability of finding a particle having, at a certain time, a certain velocity, independently of its position in configuration space', 'The plasma density', 'Cannot be done, as the configuration space extends over an infinite volume', 'A function of configuration space and time, which expresses the probability of finding a particle at a certain location at a certain time, independently of its velocity']","A function of velocity and time, which expresses the probability of finding a particle having, at a certain time, a certain velocity, independently of its position in configuration space",0 +1665,15053,Physics,online,"The velocity of two counter-streaming plasma beams is \(+ v_0\) and \(-v_0\), with \(v_0\)=1 m/s. The plasma frequency is \( \omega_{pe}=1\) s\(^{-1}\). Under which conditions does the two-stream instability appear?","['k\\( \\lt \\) 1m\\(^{-1}\\)', 'k\\( = \\) 1m\\(^{-1}\\)', 'k\\( \\gt \\) 1m\\(^{-1}\\)', 'Independently of \\(k\\)']",k\( \lt \) 1m\(^{-1}\),0 +1675,15053,Physics,online,"For \( \omega \rightarrow \infty \) and \( k \rightarrow \infty \), the R-handed waves:","['Cannot propagate', 'Are reflected', 'Have a dispersion relation that tends to the one of an electromagnetic wave in vacuum', 'Have a phase velocity that approaches the Alfven speed']",Have a dispersion relation that tends to the one of an electromagnetic wave in vacuum,2 +1676,15053,Physics,online,"The dispersion relation is a function, \( D(\omega, \vec{k}) \)","['Whose zeros relate the frequencies and the wavenumbers of the intrinsic modes present in a plasma', 'Whose maxima relate the frequencies and the wavenumbers of the intrinsic modes present in a plasma', 'Whose minima relate the frequencies and the wavenumbers of the intrinsic modes present in a plasma', 'Whose singularities relate the frequencies and the wavenumbers of the intrinsic modes present in a plasma']",Whose zeros relate the frequencies and the wavenumbers of the intrinsic modes present in a plasma,0 +1677,15053,Physics,online,When an electron beam enters into a plasma:,"['It interacts mostly with particles whose impact parameter is smaller than \\(b_{\\pi/2}\\)', 'It interacts mostly with particles whose impact parameter is comparable to \\(b_{\\pi/2}\\)', 'It interacts mostly with particles whose impact parameter is larger than \\(b_{\\pi/2}\\)', 'It interacts with particles independent of their impact parameter']",It interacts mostly with particles whose impact parameter is larger than \(b_{\pi/2}\),2 +1682,15053,Physics,online,The slowing down of an electron beam in a plasma:,"['Is due to collective effects evaluated by averaging collisions over all possible impact parameters, and velocities of the incoming beam', 'Is only due to the collisions with the ions', 'Occurs on a time scale that corresponds to that of the ion thermalization', 'Has to be evaluated by averaging collisions over all possible impact parameters, and velocities of the incoming beam']","Has to be evaluated by averaging collisions over all possible impact parameters, and velocities of the incoming beam",3 +1683,15053,Physics,online,"We now keep the magnetic field constant during a time \(t_1 \rightarrow t_2\), which is long enough such that \( T_{\parallel} \) and \( T_{\perp} \) become equal due to collisional heat transfer. What is the temperature \( T_{\parallel}(t_2)=T_{\perp}(t_2)= T_2 \)?","['\\( T_2= \\frac{1}{2} T_0 \\)', '\\( T_2= T_0 \\)', '\\( T_2=\\frac{5}{3}T_0 \\)', '\\( T_2=2\\cdot T_0 \\)']",\( T_2=\frac{5}{3}T_0 \),2 +1693,15053,Physics,online,Plasma can appear at temperature larger than 10'000 K because this is the temperature at which:,"['The kinetic energy of the atoms becomes larger than the interaction energy', 'The crystalline lattice structure is destroyed', 'Atoms have sufficient thermal energy to interact with photons', 'The thermal energy becomes comparable to the ionisation energy']",The thermal energy becomes comparable to the ionisation energy,3 +1699,15053,Physics,online,The resistivity of a plasma,"['Decreases with n and decreases with T', 'Is independent of n and decreases with T', 'Increases with n and is independent of T', 'Increases with n and T']",Is independent of n and decreases with T,1 +1796,15081,Life Sciences Engineering,online,Why is data curation useful?,"['It filters out data that is not from reliable sources', 'It associates data found in the literature with its context', 'It allows integration of data from different sources', 'It automatically validates parameters estimated by models']",It associates data found in the literature with its context,1 +1797,15081,Life Sciences Engineering,online,Which of the following statements applies to methylome analysis?,"['Methylated cytosine residues are not affected by bisulfite treatment', 'Methylated DNA is pulled down using immunoprecipitation', 'All cytosine residues in a bisulfite-treated sequence are methylated', 'Treatment with reverse transcriptase reveal methylated residues']",Methylated cytosine residues are not affected by bisulfite treatment,0 +1798,15081,Life Sciences Engineering,online,What is the CRISPR-Cas9 system used for?,"['Introducing miRNA in cells', 'Genome editing', 'Replacing a gene with another', 'Adding post-translational modifications to mature proteins']",Genome editing,1 +1801,15081,Life Sciences Engineering,online,What is gene transcription?,"['The copy of a sequence of single-stranded DNA into a double-stranded RNA sequence', 'The translation of a sequence of double-stranded DNA into a protein sequence', 'The translation of a sequence of single-stranded RNA into a protein sequence', 'The copy of a sequence of double-stranded DNA into a single-stranded RNA sequence']",The copy of a sequence of double-stranded DNA into a single-stranded RNA sequence,3 +1802,15081,Life Sciences Engineering,online,The main gene therapy approach to treat SMA discussed in this lecture consisted in…,"['Delivering several copies of the SMN2 gene to the patient’s neurons', 'Injecting functional SMN1 protein into the patient’s spinal cord', 'Delivering a functional copy of the SMN1 gene to the patient’s neurons', 'Editing and correcting the SMN1 gene in the patient’s cells ex vivo and transplant the transgenic cells']",Delivering a functional copy of the SMN1 gene to the patient’s neurons,2 +1805,15081,Life Sciences Engineering,online,Which of the following disease-linked variants are easier to detect using genetic means?,"['Common variants rarely causing diseases', 'Common variants weakly implicated in common diseases', 'Rare variants with small effects', 'Rare variants causing mendelian disease']",Rare variants causing mendelian disease,3 +1806,15081,Life Sciences Engineering,online,What choice must you make about the level of detail when modeling a microcircuit?,"['Will the neurons be connected by different types of synapse? How many?', 'How detailed will the morphology of the neurons be?', 'How many spatial dimensions will the model possess?', 'What types of neuron will be included?', 'All of the above']",All of the above,4 +1807,15081,Life Sciences Engineering,online,At which step of gene expression does regulation take place?,"['Before translation of mRNA into protein', 'During the protein modification process taking place after translation', 'When DNA is methylated and histones are modified before transcription', 'All of the above']",All of the above,3 +1808,15081,Life Sciences Engineering,online,What is the main challenge associated with the data produced by next-generation sequencing methods?,"['Such large datasets cannot be analyzed without statistical methods', 'Biologists need to adopt a computational approach', 'Algorithm and model need to be developed in order able to extract useful information from the data', 'All of the above']",All of the above,3 +1809,15081,Life Sciences Engineering,online,What is the disadvantage of genomic integration?,"['It strongly limits the size of the transgene that can be used', 'It increases the probability of an immune reaction', 'It can lead to insertional mutagenesis and activate oncogenes', 'The transgene’s expression is unstable in dividing cells']",It can lead to insertional mutagenesis and activate oncogenes,2 +1810,15081,Life Sciences Engineering,online,What can be done using modeling?,"['Infer principles governing a biological system', 'Identify experiments that would help understanding a system', 'Verify the accuracy of biological data', 'Predict the behavior of the system under certain conditions']",Infer principles governing a biological system,0 +1811,15081,Life Sciences Engineering,online,Which statement about translation is true?,"['Deoxyribonucleic acids are translated to ribonucleic acid', 'Nucleic acids are translated to amino acids', 'During translation, five bits of information are translated into one bit of information', 'One gene can only be translated into one protein']",Nucleic acids are translated to amino acids,1 +1812,15081,Life Sciences Engineering,online,Which of the following can be used to find biomarkers to identify cell types?,"['The genome', 'The epigenome', 'The transcriptome', 'All of the above']",All of the above,3 +1813,15081,Life Sciences Engineering,online,What is a frameshift mutation?,"['A single nucleotide deletion that results in a shift of the reading frame and the early inclusion of a STOP codon', 'A mis-sense mutation that results in a shift of the reading frame and a change in the amino acid sequence of the protein product', 'A silent mutation that does not influence the protein product', 'A mutation that results in a shift of the reading frame and can have different effects on the sequence of the protein product']",A mutation that results in a shift of the reading frame and can have different effects on the sequence of the protein product,3 +1814,15081,Life Sciences Engineering,online,Dopa-decarboxylase is expressed in the:,"['Midbrain', 'Isocortex', 'Hypothalamus', 'Cerebellum']",Midbrain,0 +1815,15081,Life Sciences Engineering,online,A cell's methylome can provide us with information about the following:,"['Cell function', 'Cell structure', 'Cell differentiation status', 'Protein translation']",Cell function,0 +1816,15081,Life Sciences Engineering,online,ChiP-seq is a technique commonly used to study histone modifications by providing information about...,"['DNA sequences to which proteins are associated', 'the structure of proteins associated with DNA', 'the expression level of genes', 'histone post-translational modifications']",DNA sequences to which proteins are associated,0 +1817,15081,Life Sciences Engineering,online,Which technique allows the mapping of histone modifications to genomic locations?,"['Spatial transcriptomics', 'Bisulfite-sequencing', 'Hi-C', 'ChIP-sequencing']",ChIP-sequencing,3 +1818,15081,Life Sciences Engineering,online,When is the neuroectoderm induced?,"['During gastrulation', 'During postnatal brain development', 'During neurulation', 'After neurulation']",During neurulation,2 +1819,15081,Life Sciences Engineering,online,What is a gastrula?,"['The stage of development from which the blastula develops', 'An early multicellular embryo composed of several germ layers', 'An embryonic organizer inducing the formation of the nervous system', 'A part of the uterus when embryos can implant']",An early multicellular embryo composed of several germ layers,1 +1820,15081,Life Sciences Engineering,online,Which characteristic must the experimental data have to be used for modeling?,"['It must not be sparse', 'It must measure a phenomenon at a higher scale than that of the model', 'It must all come from the same experiment', 'It must quantify a process at a smaller scale than that of the model']",It must quantify a process at a smaller scale than that of the model,3 +1821,15081,Life Sciences Engineering,online,GWAS analysis is used to detect which of the following?,"['Genetic variations associated with a phenotype', 'Changes in gene expression in response to genetic variation', 'Which transcription factors regulate genes', 'The tissue in which a genetic variation is important']",Genetic variations associated with a phenotype,0 +1822,15081,Life Sciences Engineering,online,Epigenetic changes can be stably inherited between...,"['cell divisions', 'tissues', 'generations', 'genes']",cell divisions,0 +1823,15081,Life Sciences Engineering,online,Which of the following statements about text mining is true?,"['It makes data machine-accessible', 'It replaces manual literature reviews', 'It works only for standardized data', 'It uses machine learning to recognize which terms are proteins, brain regions or describe relationships']",It makes data machine-accessible,0 +1824,15081,Life Sciences Engineering,online,Which cell types are generated from neural crest cells?,"['Neurons of the peripheral nervous system', 'Neurons of the spinal cord', 'Neurons of the olfactory bulb', 'Melanocytes']",Neurons of the peripheral nervous system,0 +1825,15081,Life Sciences Engineering,online,What must be considered when choosing a viral vector?,"['Is the viral capsid large enough for the transgene?', 'Does the virus trigger a strong immune response in the target population?', 'Does the virus infect the target cells?', 'All of the above']",All of the above,3 +1826,15081,Life Sciences Engineering,online,"Which of the following properties applies to both next-generation sequencing, and Sanger sequencing?","['Sequencing relies on a DNA amplifying step', 'Electrophoresis is needed to read out the sequence', 'The binding of clonal DNA sequences on a surface allow parallel sequencing of several sequences', 'All of the above']",Sequencing relies on a DNA amplifying step,0 +1827,15081,Life Sciences Engineering,online,What is the notochord?,"['A transient embryonic structure', 'A structure producing ventralizing signaling molecules', 'The precursor of the neural tube', 'An important embryonic organizer']",A transient embryonic structure,0 +1828,15081,Life Sciences Engineering,online,What recent technologies allowed the development of single-cell sequencing?,"['Tissue dissociation to obtain individual cells', 'Capture of single cells into individual containers', 'Development of the t-SNE algorithm', 'Barcoding of RNA molecules']",Capture of single cells into individual containers,1 +1829,15081,Life Sciences Engineering,online,Which process marks the end of embryonic symmetry?,"['The first cell division', 'Gastrulation', 'Primary neurulation', 'The start of organogenesis']",Gastrulation,1 +1830,15081,Life Sciences Engineering,online,Which of the following mechanisms generate epigenetic changes?,"['DNA methylation', 'Alternative splicing', 'Nucleosome positioning', 'Histone acetylation']",DNA methylation,0 +1831,15081,Life Sciences Engineering,online,Consider the epigenetic profile of monozygotic twins. What can we learn by comparing them?,"['Epigenetic marks change during cell differentiation', 'The epigenetic profile changes depending on the biological age', 'Twin A is healthy whereas twin B has a disease', 'The environment influences the epigenetic profile']",The environment influences the epigenetic profile,3 +1832,15081,Life Sciences Engineering,online,What tools are typically used to study gene regulatory networks?,"['Computational modeling', 'Genetic knockouts', 'Patch-clamp', 'Behavioral studies']",Computational modeling,0 +1833,15081,Life Sciences Engineering,online,How is genetic variability linked to personalized medicine?,"['It gives a target for gene therapy', 'Genetic profiles can help the diagnostic of specific diseases', 'Differential responses to treatments can be linked to genetic variants in patients', 'Personalized medicine and genetic variability are not related']",Genetic profiles can help the diagnostic of specific diseases,1 +1834,15081,Life Sciences Engineering,online,What is the relationship between DNA methylation and Alzheimer’s disease?,"['Aging has a strong epigenetic basis, and is also the strongest AD risk factor', 'Many AD patients have a mutation in the gene encoding an important DNA methyltransferase', 'Previous genome-wide studies have found many methylation abnormalities in gene promoters in AD astrocytes', 'There was no link between AD and DNA methylation prior to this study']","Aging has a strong epigenetic basis, and is also the strongest AD risk factor",0 +1835,15081,Life Sciences Engineering,online,What are the additional considerations when modeling the brain compared to brain areas and networks?,"['Connecting the neurons, choosing the temporal scales, adding a third dimension', 'Defining function, choosing the temporal scales, modeling energetics and the role of the vasculature', 'Defining the number of different neuron types, adding a third dimension, defining function', 'Taking brain energetics into account, modeling different types of synapse, choosing the number of dimensions']","Defining function, choosing the temporal scales, modeling energetics and the role of the vasculature",1 +1836,15081,Life Sciences Engineering,online,Which of the following structures is not a secondary organizer?,"['The floor plate', 'The isthmus', 'The cortical hem', 'The notochord']",The notochord,3 +1837,15081,Life Sciences Engineering,online,Why is genetic variability important?,"['For evolution', 'It allows the emergence of different cells types in the nervous system', 'In translational medicine, it helps determine risk factors', 'Differential gene expression results from genetic diversity']",For evolution,0 +1838,15081,Life Sciences Engineering,online,Studying the transcriptome can provide us with information about:,"['the level of gene expression', 'post-transcriptional modifications', 'the localisation of RNA within the cell', 'post-translational modifications']",the level of gene expression,0 +1839,15081,Life Sciences Engineering,online,What does not happen during gastrulation?,"['Definition of the embryonic sheets', 'Formation of the notochord', 'Termination of the symmetry of the embryo', 'Formation of the neural plate']",Formation of the neural plate,3 +1840,15081,Life Sciences Engineering,online,How can the adverse effects of the described SMA gene therapy be diminished?,"['By changing the viral capsid so that it infects only target cells', 'By adapting the expression level of the transgene to reach an optimal dose', 'By treating the babies later in life when the toxicity is lower', 'By using a cell-specific promoter']",By changing the viral capsid so that it infects only target cells,0 +1841,15081,Life Sciences Engineering,online,Which of the following are true of epigentic changes?,"['They are permanent changes to the genomic sequence', 'They are inheritable changes to the genome', 'They are consistent throughout a tissue', 'They affect gene expression']",They are inheritable changes to the genome,1 +1842,15081,Life Sciences Engineering,online,What kind of data is most useful in building a better understanding of brain disorders?,"['Genetic data', 'Behavioral data', 'Integrated data from different scales and types of experiments', 'Brain imaging data']",Integrated data from different scales and types of experiments,2 +1843,15081,Life Sciences Engineering,online,How does ChIP-seq work?,"['Antibodies can bind specifically to histones presenting the modification of interest, allowing to isolate the associated DNA', 'The histones associated with a gene of interest can be isolated and analyzed for modifications', 'Interacting DNA regions are crosslinked', 'Bisulfite treatment lyses only DNA wrapped around unmodified histones; the DNA fragments left can be sequenced']","Antibodies can bind specifically to histones presenting the modification of interest, allowing to isolate the associated DNA",0 +1844,15081,Life Sciences Engineering,online,What are advantages of «gene-drug» transfer over conventional drugs?,"['Absence of an immune response to the drug', 'Localized expression in the affected organ', 'Easier delivery method', 'Single long-term treatment']",Localized expression in the affected organ,1 +1847,15081,Life Sciences Engineering,online,Which of the following approaches would be best adapted to treat a multifactorial disease?,"['Editing the recessive gene responsible for the disease', 'Silencing the mutated gene causing the disease', 'Adding a healthy gene to compensate for a mutated dominant gene', 'Adding a «gene-drug» coding for a protein that reduces the symptoms of the disease']",Adding a «gene-drug» coding for a protein that reduces the symptoms of the disease,3 +1848,15081,Life Sciences Engineering,online,What type of vector is most commonly used in gene therapy nowadays?,"['Viral vectors', 'Polymeric nanoparticles', 'Bacterial vectors', 'Electroporation']",Viral vectors,0 +1849,15081,Life Sciences Engineering,online,What are the functions of gene regulatory networks?,"['Determination of cell differentiation', 'Regulation of development', 'Recognition of de novo mutations', 'Regulation of higher cognitive functions']",Determination of cell differentiation,0 +1851,15081,Life Sciences Engineering,online,What is the effect of a positive feedback loop on gene expression?,"['It increases gene expression until an external transcription factor represses the gene', 'It allows the maintenance of a stable high expression level', 'It represses gene expression once a certain threshold has been reached', 'It creates a gradient of expression in space']",It allows the maintenance of a stable high expression level,1 +1852,15081,Life Sciences Engineering,online,What are alternatives to bulk RNA sequencing for transcriptome analysis?,"['Bisulfite-sequencing', 'Mass spectrometry', 'Spatial transcriptomics', 'Single-cell sequencing']",Spatial transcriptomics,2 +1853,15081,Life Sciences Engineering,online,What is analyzed using Hi-C?,"['DNA methylation', 'Gene expression level', 'Amount of post-translational modifications', 'Interactions of DNA domains']",Interactions of DNA domains,3 +1855,15081,Life Sciences Engineering,online,What are the practical implications of an iterative workflow between experimental and simulation neuroscience?,"['Models and simulations depend on experimental data', 'Models and simulations can replace experiments', 'Simulations can point to useful experiments to make', 'The same data used to build a model must be used to validate it']",Models and simulations depend on experimental data,0 +1856,15081,Life Sciences Engineering,online,What does a raw fastq file obtained after sequencing typically contain?,"['The location of the sequence in the genome', 'The sequence of the read', 'A quality score for each base of the sequence', 'The relative intensity of the light signal for each position of the read']",The sequence of the read,1 +1857,15081,Life Sciences Engineering,online,What is the difference between genetics and epigenetics?,"['Genetic characteristics are heritable, but not epigenetic one', 'Epigenetic characteristics vary between cell types, but genetic characteristics do not', 'Differences in epigenetics do not influence gene expression whereas genetic variability does', 'All of the above']","Epigenetic characteristics vary between cell types, but genetic characteristics do not",1 +1858,15081,Life Sciences Engineering,online,Which of the following statements about the nervous system are true?,"['It is the first system to be fully developed in the embryo', 'Its development is one of the first to start in the embryo', 'It is the last system to start its development in the embryo', 'Its development continues after birth']",Its development is one of the first to start in the embryo,1 +1861,15081,Life Sciences Engineering,online,What were the adverse effects of the SMA gene therapy observed in the clinical trials?,"['Swallowing difficulties', 'Kidney failure', 'Hepatotoxicity', 'Gain of toxic function for sensory neurons']",Hepatotoxicity,2 +1862,15081,Life Sciences Engineering,online,How does human postnatal brain development compare to mouse postnatal brain development?,"['They are the same', 'Mice are born with a more mature brain than humans, thus less happen during their postnatal development', 'Humans are born with a more mature brain, thus parts of mouse postnatal development correspond to human embryonic development', 'There is no postnatal brain development in humans']","Humans are born with a more mature brain, thus parts of mouse postnatal development correspond to human embryonic development",2 +1863,15081,Life Sciences Engineering,online,How do the approaches of theoretical neuroscience and simulation neuroscience differ?,"['Simulation neuroscience allows for an analysis of the parameter space', 'Theoretical neuroscience use simple models with using only strictly necessary variables', 'Simulation neuroscience rely on numerical solutions to the model’s equations', 'In theoretical neuroscience, the model is not compared to biological data']",Theoretical neuroscience use simple models with using only strictly necessary variables,1 +1864,15081,Life Sciences Engineering,online,What was the first strategy used to treat SMA using gene therapy?,"['Deliver several copies of the SMN2 gene to the patient’s neurons', 'Deliver a functional copy of the SMN1 gene to the patient’s neurons', 'Edit and correct the SMN1 gene in the patient’s cells ex vivo and transplant the transgenic cells', 'Inject functional SMN1 protein into the patient’s spinal cord']",Deliver a functional copy of the SMN1 gene to the patient’s neurons,1 +1865,15081,Life Sciences Engineering,online,How can the AAV vector used for SMA gene therapy be administered to reach the brain?,"['Intravenously', 'Intrathecally (into the spinal cord)', 'Intraparenchymally (into the brain)', 'All of the above']",All of the above,3 +1866,15081,Life Sciences Engineering,online,Which gene has a similar expression profile to Prdm1?,"['Prdm2', 'Ebf1', 'Rorc', 'Pax4']",Rorc,2 +1867,15081,Life Sciences Engineering,online,Which of the following can contain information about genes implicated in diseases?,"['The genome', 'The epigenome', 'The transcriptome', 'All of the above']",All of the above,3 +1868,15081,Life Sciences Engineering,online,Which statement about transcription factors is not true?,"['They can regulate a gene positively or negatively', 'They can regulate different genes in different cell types', 'They can act in concert to regulate a gene', 'They have to bind a DNA sequence in close proximity of a gene']",They have to bind a DNA sequence in close proximity of a gene,3 +1869,15081,Life Sciences Engineering,online,Non-coding RNAs are RNA molecules that:,"['do not encode proteins', 'are not transcribed from DNA', 'are exclusively transcribed from intergenic DNA', 'are degraded before they can be translated']",do not encode proteins,0 +1871,15081,Life Sciences Engineering,online,How was the SMA gene therapy tested before being used in clinical trials?,"['By treating healthy monkeys to test for toxicity', 'By treating transgenic mice lacking the SMN1 gene and assessing survival', 'By analyzing the effects of an SMN1 gene knockout on mice', 'By verifying that the viral vector delivers transgenes to motor neurons in primates']",By treating transgenic mice lacking the SMN1 gene and assessing survival,1 +1874,15081,Life Sciences Engineering,online,How is genetic information stored?,"['In the form of single-stranded ribonucleic acid (RNA)', 'In the form of proteins', 'In neural networks', 'In the form of double-stranded deoxyribonucleic acid (DNA)']",In the form of double-stranded deoxyribonucleic acid (DNA),3 +1875,15081,Life Sciences Engineering,online,What is the biological basis of the different types of spinal muscular atrophy?,"['Different mutations in the coding region of the SMN1 gene', 'Different numbers of copies of the SMN2 gene', 'Mutations in different enhancers of the SMN1 gene', 'Mutations in genes encoding different transcription factors enhancing SMN2 expression']",Different numbers of copies of the SMN2 gene,1 +1876,15081,Life Sciences Engineering,online,When does the embryonic symmetry disappear?,"['Right after the first cell division', 'After the start of organogenesis, around E13', 'At the start of gastrulation, around E5', 'During neurulation, around E9']","At the start of gastrulation, around E5",2 +1877,15081,Life Sciences Engineering,online,"Along which axis are the forebrain, hindbrain, midbrain and spinal cord arranged?","['The rostro-caudal axis', 'The left-right axis', 'The dorso-ventral axis', 'The top-down axis']",The rostro-caudal axis,0 +1878,15081,Life Sciences Engineering,online,You want to model a gene regulatory network to study its dynamics. You have many datapoints and do not need details at the molecular level. Which model would you choose?,"['A single molecule model', 'A boolean network model', 'A continuous model using differential equations', 'An artificial neural network model']",A continuous model using differential equations,2 +1879,15081,Life Sciences Engineering,online,What technique does Sanger sequencing rely on to read out the sequence of DNA?,"['Sonication', 'PCR', 'Electrophoresis', 'Patch-clamp']",Electrophoresis,2 +1880,15081,Life Sciences Engineering,online,"What do DNA sequencing, RNA sequencing and ChIP-sequencing have in common?","['They all include a reverse transcription step', 'They all start with immunoprecipitation', 'The starting material is treated with bisulfite for all three', 'The molecule actually being sequenced is DNA for all three']",The molecule actually being sequenced is DNA for all three,3 +1881,15081,Life Sciences Engineering,online,Which of the following descriptions of gene therapy are true?,"['Gene therapy in the delivery of nucleic acids to treat or prevent a disease', 'Gene therapy in the delivery of amino acid chains to treat or prevent a disease', 'In gene therapy, transgenes can be delivered in vivo to the patient', 'In gene therapy, transgenes can be delivered ex vivo to the patient’s cells before these are retransplanted']",Gene therapy in the delivery of nucleic acids to treat or prevent a disease,0 +1882,15081,Life Sciences Engineering,online,"What standard minimal information about a dataset is needed in order to understand, interpret and use it?","['Subject, methods and brain location', 'Type and format of data', 'Contributors, license and access to the data', 'All of the above']",All of the above,3 +1884,15081,Life Sciences Engineering,online,Identify the main classes of mutagens.,"['Physical', 'Silent', 'Chemical', 'Biological']",Physical,0 +1885,15081,Life Sciences Engineering,online,Different gene regulatory networks…,"['Never interact with each other', 'Can interact when they regulate different processes in the same cell', 'Can influence each other across different cell types', 'Are always highly interconnected']",Can interact when they regulate different processes in the same cell,1 +1886,15081,Life Sciences Engineering,online,What property of viruses is undesirable in viral vectors?,"['The ability to escape the immune system', 'The ability to deliver genetic material to a cell’s nucleus', 'The capacity to replicate their own genome', 'All of the above']",The capacity to replicate their own genome,2 +1887,15081,Life Sciences Engineering,online,Which characteristics of transcription factor expression contribute to the definition of brain areas?,"['Each brain area express a highly specific transcription factor', 'The combination of several transcription factors defines an area', 'The same transcription factors are expressed in a specific region from the moment the neural tube is formed to the end of development', 'An interplay of different transcription factors over time lead to the formation of specific areas']",The combination of several transcription factors defines an area,1 +1888,15081,Life Sciences Engineering,online,Which statements referring to post-mitotic cells are true?,"['They can be found in the ventricular zone of the neural tube', 'Stem cells and progenitor cells are post-mitotic', 'They are non-proliferative', 'They are differentiating or differentiated']",They are non-proliferative,2 +1889,15081,Life Sciences Engineering,online,What are important functions of gene regulation?,"['Triggers for developmental pathways', 'Adaptation of metabolism to the nutritional status of the cell', 'Response to stimuli from the environment', 'Saving energy by shutting off the expression of unneeded genes']",Triggers for developmental pathways,0 +1890,15081,Life Sciences Engineering,online,How does transcription factor binding relate to chromatin accessibility and nucleosome occupancy?,"['It is positively correlated to both', 'It correlates positively to nucleosome occupancy and negatively to chromatin accessibility', 'It correlates negatively to nucleosome occupancy and positively to chromatin accessibility', 'It is negatively correlated to both']",It correlates negatively to nucleosome occupancy and positively to chromatin accessibility,2 +1891,15081,Life Sciences Engineering,online,What type of question can be answered using RNA sequencing data?,"['Does a population carry a specific single nucleotide variant?', 'Does a gene have several splicing variants?', 'Is a gene differentially expressed between healthy and diseased individuals?', 'Does a mutation lead to a non-functional protein?']",Does a gene have several splicing variants?,1 +1892,15081,Life Sciences Engineering,online,"A pre-mRNA molecule is composed of the three exons A, B and C and the two introns x and y in the order AxByC. Which of the following functional mRNAs can be made from this pre-mRNA?","['AC', 'xy', 'ABC', 'CB']",AC,0 +1893,15081,Life Sciences Engineering,online,Which genes are responsible for orchestrating the rostro-caudal segmentation of the spinal cord?,"['The Wnt gene family', 'The Hox gene family', 'The Pax gene family', 'All of the above']",The Hox gene family,1 +1894,15081,Life Sciences Engineering,online,What is gene therapy?,"['The delivery of siRNA to silence a toxic gene', 'The injection of a protein to compensate for an inactive gene', 'The transfer of a gene to treat a disease', 'The retransplantation of genetically modified cells into the patient']",The delivery of siRNA to silence a toxic gene,0 +1996,15016,Physics,online,What does the MR scanner measure in order to get \(T_1\) relaxation value?,"['Signal in the longitudinal axis (z-axis, along \\(\\vec B_0\\))', 'Proton Larmor frequency', 'Signal in the transverse plane (xy-plane)']",Signal in the transverse plane (xy-plane),2 +1997,15033,Physics,online,The 1H chemical shifts of benzene and dimethylsulphoxide are 7.3 and 2.4 ppm respectively. What is the difference in the 1H NMR frequencies of the two compounds on a 750 MHz spectrometer?,"['3.675 kHz', '4.9 kHz', '2.129 kHz', '3.333 kHz']",3.675 kHz,0 +1999,15013,Physics,online,Which of the following factors decreases contrast resolution?,"['Smaller field of view', 'Smaller matrix size', 'Smaller voxel size', 'Higher mAs']",Smaller voxel size,2 +2001,15013,Physics,online,Compartment models are often used to describe the outcome of chemical reactions. What is/are the main principles/assumptions?,"['Conservation of mass', 'Homogeneity assumption', 'Closed system hypothesis']",Conservation of mass,0 +2003,15016,Physics,online,A chemical compound is detectable with NMR if...,"['Its concentration is above a certain threshold', 'The molecule is mobile', 'It contains hydrogen', 'It has a non-zero net spin']",Its concentration is above a certain threshold,0 +2004,15013,Physics,online,The probability of a Compton interaction per unit mass is _____________ the atomic number of the atom involved.,"['proportional to', 'independent of', 'inversely proportional to', 'depending on']",independent of,1 +2005,15013,Physics,online,Who did develop basic mathematical equation which made computed tomography possible?,"['Radon', 'Cormack', 'Hounsfield', 'Frank']",Cormack,1 +2010,15016,Physics,online,How looks a zone with a typical pathology on diffusion-weighted images (DWI) and apparent diffusion coefficient (ADC) images? Don't forget you can have a few hints by clicking on HINT below.,"['Dark on DWI', 'Bright on DWI', 'Bright on ADC map', 'Dark on ADC map']",Bright on DWI,1 +2011,15016,Physics,online,Why do you think NMR spectroscopy is important for biochemists?,"['It helps to detect complex molecules', 'It is the best technique to detect impurities in samples.', 'It is a useful technique for the analysis of samples']",It is a useful technique for the analysis of samples,2 +2013,15033,Physics,online,What is the NMR frequency of 15N in a 23.488 T magnetic field?,"['72.2 MHz', '101.4 MHz', '-72.2 MHz', '-101.4 MHz']",101.4 MHz,1 +2014,15033,Physics,online,"How many distinct chemical shifts would you expect to find in the 13C spectrum of 2,2-dimethylpropane?","['1', '2', '3', '4']",2,1 +2016,15013,Physics,online,When an operator reduces the SFOV (by changing physical opening of the CT gantry) for a particular body part...,"['The displayed image appears larger', 'Spatial resolution increases', 'A smaller number of detectors are activated.', 'The displayed image appears smaller.']",A smaller number of detectors are activated.,2 +2019,15016,Physics,online,"When no RF pulse is applied, the net magnetization in the x-y plane \( \mu_{xy} \)is approximately equal to:","['\\( \\mu \\cdot \\sin(60) \\)', '\\( 0 \\)', '\\( \\mu \\cdot \\sin(30)\\)']",\( 0 \),1 +2021,15016,Physics,online,Increasing \(B_0\) _______ the \(T_1\) value of water molecules,"['Shorten', 'Increase', 'Does not influence']",Increase,1 +2022,15013,Physics,online,Most of the occupational dose received by medical technologists comes from the_________ during ___________.,"['Diagnostic X-rays, an exam', 'The X-rays generator, fluoroscopy', 'Patient, radiography', 'Patient, fluoroscopy']","Patient, fluoroscopy",3 +2023,15033,Physics,online,"Predict the total number of lines in the 1H spectrum of 1,4-dichloro-2,3-dibromobenzene","['1', '2', '3', '4']",1,0 +2025,15013,Physics,online,"When FDG is inside the cytoplasm, it undergoes phosphorylation to form FDG-6-P. This FDG-6-P then...","['...is involved in the formation of pyruvate under aerobic conditions.', '...is trapped within the cell and undergoes no further metabolism.']",...is trapped within the cell and undergoes no further metabolism.,1 +2026,15013,Physics,online,"During Compton scattering, a photon has more chance to interact with ________________ electrons.","['low absolute binding energy', 'scattered', 'high absolute binding energy']",low absolute binding energy,0 +2030,15013,Physics,online,Images are created with PET by detecting:,"['Different attenuation of positrons', 'Emission of protons from the region of interest', 'Annihilation photons', 'Two positrons simultaneously']",Annihilation photons,2 +2031,15016,Physics,online,The tissue contrast in MRI is obtained with differences in...,"['Gyromagnetic ratio', 'Spin-spin and spin-lattice relaxation constants', 'Carbon and nitrogen abundance', 'Magnetic field inhomogeneity in tissues']",Spin-spin and spin-lattice relaxation constants,1 +2034,15033,Physics,online,Two protons in a molecule undergo symmetrical two-site exchange. Their chemical shifts in the absence of exchange are 2.0 and 6.0 ppm. Determine the linebroadening resulting from the exchange process when the rate constant is 10^5 s^−1. The spectrometer frequency is 400 MHz.,"['31.8 Hz', '40.2 Hz', '31.8 kHz', '40.2 kHz']",40.2 Hz,1 +2038,15013,Physics,online,Which of the following involves emission of a signal from a patient?,"['CT', 'Diagnostic ultrasound', 'Projection radiography', 'Radioisotope imaging', 'Spiral CT']",Radioisotope imaging,3 +2042,15013,Physics,online,What is the goal of filterback projection?,"['It helps to automatically remove artifacts and blurring', 'It reconstructs the images from helical to axial orientation', 'It doubles the amount of scan data', 'It records data to compute the dose used for the scan']",It helps to automatically remove artifacts and blurring,0 +2044,15016,Physics,online,"When they are in a uniform magnetic field, hydrogen protons..","['Are not affected by the magnetic field', 'Line up along the field and precess around its axis.', 'Line up along the field.', 'Remain oriented mostly randomly and precess around the field axis.']",Remain oriented mostly randomly and precess around the field axis.,3 +2045,15016,Physics,online,"What do you think, can one stop an MRI magnet?","['No, it is impossible.', 'Yes, but it is adviced only in case of emergency.', 'Yes, there is no difficulty and it takes a few seconds.']","Yes, but it is adviced only in case of emergency.",1 +2047,15013,Physics,online,What is one of the principal advantage of PET technique in reporter gene imaging?,"['Its very high sensitivity', 'Its good spatial resolution', 'The safety for the patient', 'The high temporal resolution']",Its very high sensitivity,0 +2048,15016,Physics,online,"Why are T2-weighted images often referred to as ""water-sensitive""?","['Water molecules change the rotation speeds of the normal tissue.', 'Water molecules have very long (slow) \\(T_2\\) relaxation.', 'Water molecules have very short (fast) \\(T_2\\) relaxation', '\\(T_2\\)-weighted images are only sensitive to water-gadolinium complexes']",Water molecules have very long (slow) \(T_2\) relaxation.,1 +2049,15016,Physics,online,What does the center of K-space contain?,"['Frequency information', 'Tissue contrast', 'Temporal resolution', 'Spatial resolution']",Tissue contrast,1 +2051,15016,Physics,online,Slice-selection is performed by,"['Turning on a gradient coil prior to excitation', 'Turning on a gradient coil during excitation', 'Turning on a gradient coil prior to readout', 'Turning on a gradient coil during readout']",Turning on a gradient coil during excitation,1 +2052,15013,Physics,online,"We give the differential equation that describes the one-tissue compartment model : \( \frac{dC_T^*}{dt} = K_1 C_S^*(t)-k_3C_T^*(t)\) [Eq.1] . The case where \(C_s^*(t)\) is increased from 0 to \( \alpha\) at \( t=0\) is studied in the lecture. We are interested in the following case : \( C_s^*(t)=0 \) for \( t\) strictly smaller than \( 0\) and \(C_s^*(t)=C_0 \cdot e^{-\lambda t} \) for \( t\geq 0\) . The initial condition is \(C_T^*(0)=0\). What is the solution \(C_T^*(t)\) of the differential equation (Eq.1), with this new \(C_s^*(t)\) ?","['\\( \\frac{K_1 C_0}{k_3-\\lambda} (e^{-k_3 t}-e^{-\\lambda t}) \\)', '\\( \\frac{K_1 C_0}{k_3+\\lambda} (e^{-\\lambda t}-e^{-k_3 t}) \\)', '\\( \\frac{K_1 C_0}{k_3-\\lambda} (e^{-\\lambda t}-e^{-k_3 t}) \\)', '\\( \\frac{K_1 C_0}{k_3+\\lambda} (e^{-k_3 t}-e^{-\\lambda t}) \\)']",\( \frac{K_1 C_0}{k_3-\lambda} (e^{-\lambda t}-e^{-k_3 t}) \),2 +2054,15033,Physics,online,The width of an NMR line is 0.1 Hz. What is its T2?,"['0.10 s', '3.18 s', '4.52 s', '9.82 s']",3.18 s,1 +2057,15016,Physics,online,What is the main parameter to consider when digitizing a signal and its sampling frequency?,"['The maximum amplitude in the signal', 'The maximum phase shift in the signal', 'The maximum frequency in the signal', 'The desired frequency resolution', ""It doesn't matter""]",The maximum frequency in the signal,2 +2059,15013,Physics,online,The principal cause of reduced contrast in projection radiography is...,"['Scatter radiation', 'Photoelectric effect', 'Pair production', 'Collimation', 'Low kVp']",Scatter radiation,0 +2061,15013,Physics,online,Why does conventional tomography result in higher contrast resolution compared to conventional projection radiography?,"['Out of plane tissues are blurred', 'Tissues are superimposed', 'Precise beam collimation is employed', 'The X-ray beam is selectively filtered']",Out of plane tissues are blurred,0 +2063,15016,Physics,online,What are the two key differences in the magnetic properties of water and fat exploited in fMRI ?,"['chemical shift', '\\(T_1\\)', '\\(T_2\\)']",chemical shift,0 +2067,15013,Physics,online,"The fluctuation of CT numbers in an image of uniform, homogeneous material is known as...","['Linearity', 'Noise', 'Artifact', 'Partial volume effect']",Noise,1 +2071,15016,Physics,online,"In \(^1H\) NMR spectrum of ethanol, how is characterized the methyl triplet?","['Four peaks with different amplitude', 'Two peaks because there are 2 methylene protons.', 'Three peaks with 1:2:1 ratio']",Three peaks with 1:2:1 ratio,2 +2072,15013,Physics,online,How could also computed tomography be called?,"['Emission tomography', 'Transmission tomography', 'Reflected tomography', 'Temporal tomography', 'Volumetric tomography']",Transmission tomography,1 +2075,15016,Physics,online,A tumor that enhances with gadolinium contrast is bright on \(T_1\)-weighted images because...,"['Gadolinium chelates slow \\(T_1\\) recovery of water molecules by interacting with the water and changing the rotational speeds of the hydrogen atoms', 'Gadolinium has a short \\(T_1\\) value', 'The hydrogen atoms in the chelation groups of the contrast agent have a short \\(T_1\\) value', 'Gadolinium chelates speed \\(T_1\\) recovery of water molecules by interacting with the water and changing the rotational speeds of the hydrogen atoms']",Gadolinium chelates speed \(T_1\) recovery of water molecules by interacting with the water and changing the rotational speeds of the hydrogen atoms,3 +2076,15016,Physics,online,Why do you think bones and teeth are not seen on MRI?,"['There is no proton.', 'There is no water molecule.', 'None of the above answers.']",There is no water molecule.,1 +2079,15013,Physics,online,Which resolution is improved with CT over projection radiography?,"['Temporal resolution', 'Energy resolution', 'Contrast resolution', 'Spatial resolution']",Contrast resolution,2 +2080,15013,Physics,online,What is the main difference between PET and SPECT?,"['The detection ring used in PET and SPECT are different', 'PET scan begins with the administration of a radiopharmaceutical', 'PET scan requires a longer time for data collection', 'PET scan uses positron-emitting radioisotope instead of single-photon emitters']",PET scan uses positron-emitting radioisotope instead of single-photon emitters,3 +2081,15013,Physics,online,What is the major problem encountered with emission tomography?,"['Bad contrast', 'High cost of the exam', 'Attenuation']",Attenuation,2 +2083,15016,Physics,online,What does an increased bandwidth cause?,"['It increases (worsen) chemical shift artifact.', 'The SNR is lowered.', 'The echo acquisition time is longer.']",The SNR is lowered.,1 +2085,15013,Physics,online,A positron is emitted:,"['From the nucleus of the atom', 'From the electron cloud']",From the nucleus of the atom,0 +2087,15013,Physics,online,Which of the following is central to the CT process?,"['Computers', 'Gantry', 'Coils', 'Electromagnetic detectors']",Computers,0 +2091,15013,Physics,online,The probability of a Compton interaction per unit mass...,"['... increases as energy increases.', '... is independent of energy.', '... is inversely proportional to the atomic number.', 'None of the above.']",None of the above.,3 +2093,15016,Physics,online,"Comparing fat and water signals in NMR, fat signal is shifted...","['along the frequency-encoding axis', 'along the phase-encoding axis', 'along the slice-selection axis']",along the frequency-encoding axis,0 +2094,15043,Life Sciences Engineering,online,How do the transfer functions from different cells relate to each other?,"['There are two different transfer functions, one for excitatory cells and one for inhibitory cells', 'Transfer functions differ between, but not within, cell types', 'Each cell has a specific transfer function', 'Transfer functions from real cells could not be measured up to now']",Each cell has a specific transfer function,2 +2097,15043,Life Sciences Engineering,online,"When using patients’ brain tissue, what experimental controls are important to perform for an unbiased analysis of cellular properties?","['Never use tissue taken from the area directly affected by the disease', 'Source tissue from different patient groups and control for parameters that generalise across groups', 'Control for correlations between cellular morphology and disease parameters', 'All of the above']",All of the above,3 +2099,15043,Life Sciences Engineering,online,How are the problems linked to sparse data managed in modeling?,"['Models constructed based on sparse data often become invalid once new data is made available', 'Principles are inferred from sparse data and used to build algorithms', 'New experiments are made to supply missing data or test inferences', 'Only systems about which complete, well standardized datasets are available are modeled']",Principles are inferred from sparse data and used to build algorithms,1 +2101,15043,Life Sciences Engineering,online,Soloists and choristers…,"['Are both distributed randomly across cell types', 'Do not have much to do with neuroscience', 'tend to be interneurons and pyramidal cells in the lower layers, respectively, according to the model', 'Cannot be observed during in silico simulations']","tend to be interneurons and pyramidal cells in the lower layers, respectively, according to the model",2 +2102,15043,Life Sciences Engineering,online,What does gene expression data quantify?,"['DNA', 'Messenger RNA', 'Epigenetic marks', 'Protein']",Messenger RNA,1 +2103,15043,Life Sciences Engineering,online,"What is the difficulty in measuring the strength, or maximal conductance, of a synapse?","['The conductance cannot be measured directly, but must be computed from the current', 'There are interdependencies between other factors in the equation, like current and voltage', 'The voltage cannot really be maintained at a certain value, even by patching up the soma', 'All of the above']",All of the above,3 +2105,15043,Life Sciences Engineering,online,What information does in situ hybridisation give?,"['The quantity of per cell gene expression', 'Co-expression of thousands of genes', 'The localisation of gene expression', 'All of the above']",The localisation of gene expression,2 +2107,15043,Life Sciences Engineering,online,Which characteristic is not used to classify neuronal cells?,"['Molecular profile', 'Cell cycle state', 'Electrophysiology', 'Morphology']",Cell cycle state,1 +2110,15043,Life Sciences Engineering,online,>>Which of the following assumption about the modeling of different neurons is true?,"['Many different morphological types of pyramidal cells and interneurons are modeled', 'Obtaining the data needed for the modeling is very labor-intensive', 'The modeling is at the same level than the data and easy', 'All of the above']",All of the above,3 +2113,15043,Life Sciences Engineering,online,What finding concerning autistic mice was made using whole brain imaging?,"['A different positioning of the Purkinje cells in the cerebellum', 'A different parcellation of the neocortical brain areas', 'An altered firing rate of pyramidal cells', 'A reduced number of glial cells in the frontal cortex']",A different positioning of the Purkinje cells in the cerebellum,0 +2114,15043,Life Sciences Engineering,online,Which of the following statements concerning the vasculature is true?,"['The vasculature is visible under wide field microscopy', 'The vasculature cannot be imaged in cleared tissue', 'The vasculature can be used to correlate in vivo wide field images to light sheet images', 'The vasculature cannot be used to correlate in vivo wide field images to light sheet images']",The vasculature is visible under wide field microscopy,0 +2115,15043,Life Sciences Engineering,online,Which of the following assumptions concerning axonal tracing are true?,"['It is performed in brain slices', 'A tracer dye typically travels along the axons of one neuron', 'It is performed in transgenic animals expressing a tracer dye in specific neuron types', 'The dye is transported by the normal axon protein machinery']",A tracer dye typically travels along the axons of one neuron,1 +2116,15043,Life Sciences Engineering,online,What is the cell type specific connectivity problem about?,"['The link between cell morphology and cell function', 'How to create a connectivity matrix', 'How to understand the synaptic connectivity between all the cell types in the brain', 'How to generate a connectivity map as quickly as possible']",How to understand the synaptic connectivity between all the cell types in the brain,2 +2117,15043,Life Sciences Engineering,online,Effective imaging must be highly automated. How can this be achieved in the context of array tomography?,"['Using highly specific antibodies', 'Using flow cells mounted on the microscope and pipetting robots to integrate and automate staining and imagining steps', 'Using high-resolution microscopes', 'Using supercomputers']",Using flow cells mounted on the microscope and pipetting robots to integrate and automate staining and imagining steps,1 +2120,15043,Life Sciences Engineering,online,What can be used to bridge light-sheet images to wide-field images and thus link single neurons to the whole brain?,"['Post-mortem labeled glial cells', 'The bone structure', 'The vasculature', 'Myelinated fibers']",The vasculature,2 +2123,15043,Life Sciences Engineering,online,What result will you get if you perform the same mapping experiment on four different mice and compute the field sign map?,"['Four identical maps that overlay exactly', 'Four maps showing similar areas with varying orientation between mice', 'Four maps showing similar areas with constant orientation between mice', 'Four maps with highly variable areas']",Four maps showing similar areas with constant orientation between mice,2 +2125,15043,Life Sciences Engineering,online,"The isolation of whole neurons of good quality from human brains is difficult, making the quantification of mRNA in isolated neuronal nuclei an interesting option. What differences are there when comparing the transcriptome of whole cells and nuclei?","['More genes can be detected in the nucleus', 'Intronic reads have a larger influence on the number of genes detected in the nucleus than that detected in the whole cell', 'Mitochondrial mRNA can only be detected in the nucleus', 'The cell clusters found based on whole cell and nucleus data are very similar']",Intronic reads have a larger influence on the number of genes detected in the nucleus than that detected in the whole cell,1 +2127,15043,Life Sciences Engineering,online,Which are the principles used to estimate connectivity between neurons?,"['An apposition between neurons is required for a connection', 'The number of synapses is constrained by the space available on the axon', 'Only certain types of neurons are connected', 'The number of synapses per connection is close to a number characteristic for a connection type']",An apposition between neurons is required for a connection,0 +2128,15043,Life Sciences Engineering,online,What type of activity could be observed in a slice under high calcium concentrations?,"['As observed with the microcircuit, the activity was asynchronous', 'In contrast to the microcircuit, the activity was synchronous', 'As observed with the microcircuit, the activity was synchronous', 'Activity in a slice is synchronous independently of the calcium concentration']","As observed with the microcircuit, the activity was synchronous",2 +2129,15043,Life Sciences Engineering,online,Which of the following statements apply to the Allen Brain Observatory?,"['It is based on data obtained in live mice', 'It shows the response of interneurons in V1 to grating stimuli', 'It shows the response of cells from different cell types from several brain areas to different kinds of visual stimuli', 'It is based on data obtained in humans and primates']",It is based on data obtained in live mice,0 +2130,15043,Life Sciences Engineering,online,Which of the following statements does not apply to Blue Brain’s first proof of principle?,"['The model was based on well-standardized data', 'The model focused on cellular electrophysiology', 'The model reconstructed a neocortical microcircuit', 'More than 50 different neuron morphologies are used for the reconstruction']",The model focused on cellular electrophysiology,1 +2131,15043,Life Sciences Engineering,online,What are the goals of the Blue Brain project?,"['To identify fundamental principles of the human brain structure', 'To identify fundamental principles of the mammalian brain function', 'To study human brain structure and function in disease', 'To use data-based reconstructions and simulations of the mammalian brain to understand its function in health']",To identify fundamental principles of the human brain structure,0 +2132,15043,Life Sciences Engineering,online,What happens to spines at the morphological level during a stroke?,"['The surviving fraction of spines and the turnover ratio decrease', 'The surviving fraction of spines and the turnover ratio increase', 'The surviving fraction of spines increases while the spine turnover ratio decreases', 'The surviving fraction of spines decreases while the spine turnover ratio increases']",The surviving fraction of spines decreases while the spine turnover ratio increases,3 +2133,15043,Life Sciences Engineering,online,How can you image the whole cortex of a live mouse in one shot?,"['By imaging through several cranial windows at the same time', 'It is not possible to image the whole cortex of a live mouse at once with current techniques', 'By imaging through the mouse skull after removing the soft tissue on top of it', 'By removing 75% of the skull while immobilizing the mouse']",By imaging through the mouse skull after removing the soft tissue on top of it,2 +2135,15043,Life Sciences Engineering,online,For which specific task is high performance computing used?,"['Data visualization and analysis', 'Model development', 'Simulation', 'All of the above']",All of the above,3 +2136,15043,Life Sciences Engineering,online,What can you use to confirm the probable validity of the parcellation resulting from connectivity analyses?,"['Axonal tracing studies', 'The spatial cohesion of the voxels belonging to the same clusters', 'Functional associations derived from databases for comparison with literature', 'Bootstrapping']",The spatial cohesion of the voxels belonging to the same clusters,1 +2139,15043,Life Sciences Engineering,online,How are the mean field units connected to each other in the ring of networks?,"['All types of connections take place across the whole network ring', 'All connections are local between neighbouring units', 'Excitatory connections are local and remain between neighbouring units, whereas inhibitory connections have a wide range', 'Inhibitory connections are local and remain between neighbouring units, whereas excitatory connections have a wide range']","Inhibitory connections are local and remain between neighbouring units, whereas excitatory connections have a wide range",3 +2140,15043,Life Sciences Engineering,online,Which type of model is used to simulate a propagating wave?,"['Spiking neuron models', 'Balanced models', 'Mean field models', 'All of the above']",All of the above,3 +2141,15043,Life Sciences Engineering,online,"Blue Brain aims, among other things, at identifying principles from data to allow data-driven modeling of brain circuits. What applies to the data used for modeling?","['It is most of the time sparse data', 'Only complete datasets about a specific processes are used', 'It comes from only one mouse strain and is well-standardized', 'It comes from various sources, organisms and types of experiments, and needs to be classified according to several criteria']",It is most of the time sparse data,0 +2142,15043,Life Sciences Engineering,online,The Allen Institute has released several datasets since 2003. Into which main data modalities can they be separated?,"['Gene mapping', 'Imaging', 'Electrophyiology', 'Decoding the brain']",Gene mapping,0 +2144,15043,Life Sciences Engineering,online,Which of the following statements concerning the vasculature in an ischemic area are true?,"['The vasculature is unidirectional after a stroke', 'Rehabilitation restores the multidirectionality of the vasculature to similar levels as before the stroke', 'Rehabilitation restores the vascular density to similar levels as before the stroke', 'Rehabilitation increasess the vascular density compared to before the stroke']",The vasculature is unidirectional after a stroke,0 +2145,15043,Life Sciences Engineering,online,Which statement describes the approach of the Blue Brain?,"['With the adequate time investment, complete structural and functional data of the human brain will be collected', 'The identification of principles from sparse data allows dense data-driven algorithmic reconstructions of brain circuitry', 'The development of high-throughput methods and adequate computation analysis tools will allow the collection of the whole structural and functional data of a living animal with minimal time investment', 'All of the above']",The identification of principles from sparse data allows dense data-driven algorithmic reconstructions of brain circuitry,1 +2147,15043,Life Sciences Engineering,online,Are there redundant synapses in the reconstruction?,"['No, all synapses are unique, exactly like in the brain', 'No, all synapses are unique, in contrast to biological data', 'Yes, as many as can be expected after random pruning', 'Yes, more than can be randomly expected, as is the case in the brain']","Yes, more than can be randomly expected, as is the case in the brain",3 +2148,15043,Life Sciences Engineering,online,What can you see on a field sign map?,"['The location at which the cortex is most strongly activated with a vertically or horizontally moving bar for each pixel of the cortical image', 'The borders of the different areas in the visual cortex', 'The value of the sine of the angle between the altitude field vector and the azimuth field vector for each pixel of the cortical image', 'The direction in which the bar is moving when the activity for each pixel of the cortical image is the greatest']",The borders of the different areas in the visual cortex,1 +2150,15043,Life Sciences Engineering,online,Which of the following method is used to study local connectivity and is not informative about the number of synapse between connected neurons?,"['Electron microscopy', 'Paired reconstruction', 'Paired recording', 'Confocal microscopy']",Paired recording,2 +2153,15043,Life Sciences Engineering,online,Two-photon microscopy showed that functional borders can be estimated with a precision of…,"['300 microns, which is the same as the mismatch with anatomical borders', '300 microns, which is much more than the mismatch with anatomical borders', '30 microns, which is the same as the mismatch with anatomical borders', '30 microns, which is much less than the mismatch with anatomical borders']","30 microns, which is much less than the mismatch with anatomical borders",3 +2154,15043,Life Sciences Engineering,online,In which case do you need optimization algorithm to construct a model?,"['When the data used is at the same level than the model', 'When the data used is at a higher level than the model', 'When the model is not data-based', 'When the data is sparse']",When the data used is at a higher level than the model,1 +2155,15043,Life Sciences Engineering,online,What is the origin of the living brain tissue used to study human neuronal microcircuits?,"['Tissue from healthy donors', 'Healthy tissue from diseased patients', 'Diseased tissue from epileptic patients', 'Tumor tissue from brain cancer patients']",Healthy tissue from diseased patients,1 +2156,15043,Life Sciences Engineering,online,Humans have a larger dendrite-to-axon size ratio than rodents. What is a consequence thereof?,"['A reduced synapse density in humans', 'A reduced membrane capacitance in human neurons', 'The ability to fire faster repeated action potentials', 'None of the above']",The ability to fire faster repeated action potentials,2 +2158,15043,Life Sciences Engineering,online,Which of the following statements about Patch-seq are true?,"['It allows measuring the electrical behavior and the gene expression of the same cell', 'It links morphology to gene expression profile', 'The transcriptome data obtained via Patch-seq is noisier than data from dissociated nuclei', 'It computationally predicts the electrical behavior of a cell based on its gene expression profile']",It allows measuring the electrical behavior and the gene expression of the same cell,0 +2159,15043,Life Sciences Engineering,online,What is data-driven visualization a great tool for?,"['Representing results in a vulgarized manner accessible to a broad audience', 'Visually verifying the behavior of a model', 'Making sense out of complex models', 'Replacing the more abstract numerical analysis of a model’s behavior']",Representing results in a vulgarized manner accessible to a broad audience,0 +2161,15043,Life Sciences Engineering,online,Which of the following assumptions about text mining at Blue Brain and brain connectivity are true?,"['Several names for each region are recognized by the text mining process', 'The text mining process looks for co-occurrences of brain region names', 'The text mining process looks for relationship statements between brain regions', 'Results from text mining have about 50% match with experimentally verified connections between brain regions']",Several names for each region are recognized by the text mining process,0 +2162,15043,Life Sciences Engineering,online,Cell type specific connectivity is represented in matrices. What data is currently used to build a connectivity matrix?,"['Morphological data', 'Electrophysiological data', 'Transcriptomic data', 'Proteomics data']",Morphological data,0 +2163,15043,Life Sciences Engineering,online,Which of the following factor does not play any role in the current-based model of a synapse?,"['The total number of synapses originating from the neuron', 'The number of neurotransmitter release sites', 'The strength of each release site', 'The reversal potential of the synapse']",The total number of synapses originating from the neuron,0 +2164,15043,Life Sciences Engineering,online,How do the dorsal and ventral stream in the mouse compare to that in the cat?,"['The streams are anatomically more connected in the cat', 'The streams are functionally more connected in the cat', 'The streams are anatomically more connected in the mouse', 'The streams are functionally more connected in the mouse']",The streams are anatomically more connected in the mouse,2 +2165,15043,Life Sciences Engineering,online,"Why is biological data important if you have principles governing a biological system, e.g., neuron connectivity?","['Because data allows deriving the principles in the first place', 'Because a mismatch between model and data indicates that the principles used are wrong or insufficient', 'Because predictions of the model have to be compared to biological data to be validated', 'All of the above']",All of the above,3 +2166,15043,Life Sciences Engineering,online,What can be said about the variability of the responses of a cell?,"['Most cells respond with a high consistency to their preferred stimulus', 'Most cells respond about 30% of the time to their preferred stimulus', 'Some cells respond with a high consistency to their preferred stimulus', 'All cells respond about 30% of the time to their preferred stimulus']",Most cells respond about 30% of the time to their preferred stimulus,1 +2169,15043,Life Sciences Engineering,online,What can autoencoders do?,"['Like standard clustering algorithms, it can identify regions in the brain', 'Like matrix decomposition algorithms, it can identify networks in the brain', 'Both of the above', 'None of the above']",Both of the above,2 +2173,15043,Life Sciences Engineering,online,Which of the following methods can be used for large area brain imaging?,"['Confocal microscopy', 'Serial two-photon microscopy in fixed tissue', 'Electron microscopy', 'Light sheet imaging']",Confocal microscopy,0 +2174,15043,Life Sciences Engineering,online,Which of the following methodological concepts are located across organizational principles?,"['PCA for discovering structures in functional data', 'Autoencoders', 'Reverse inference using functional compartments assigned to mostly one type of cognitive process', 'Combination of networks derived form resting-state data and task-dependent data']",Autoencoders,1 +2175,15043,Life Sciences Engineering,online,What difference is there between the visual cortex of the mouse and that of the cat?,"['Most of the cells in V1 are single ON of OFF subunits in the mouse', 'Cells in V1 are organized into orientation columns in the cat', 'The dorsal and ventral pathways are more interconnected in the mouse', 'All of the above']",All of the above,3 +2176,15043,Life Sciences Engineering,online,Another name for von Economo neurons is…?,"['Neurogliaform cells', 'Spindle neurons', 'Pacemaker neurons', 'Inhibitory neurons']",Spindle neurons,1 +2180,15043,Life Sciences Engineering,online,Which assumptions concerning flat assignments in the context of brain atlassing are true?,"['Solutions to clustering problems are flat assignments of voxels to clusters', 'Solutions to network problems are flat assignments of voxels to components', 'Flat assignments are many-to-many assignments', 'Flat assignments are one-to-one assignments (e.g., one brain location to one cluster)']",Solutions to clustering problems are flat assignments of voxels to clusters,0 +2181,15043,Life Sciences Engineering,online,Which animals have mostly been used to study the visual cortex over the last half-century?,"['Mice and rats', 'Rats and primates', 'Cats and mice', 'Cats and primates']",Cats and primates,3 +2185,15043,Life Sciences Engineering,online,Which source of tissue is most valuable for the study of human neuronal cell properties?,"['Living patient tissue', 'Post-mortem tissue', 'Human neuronal cell cultures', 'Biopsy samples']",Living patient tissue,0 +2187,15043,Life Sciences Engineering,online,How was neuron morphology modeled in the neocortical microcircuit reconstruction?,"['Two different generic morphological types were modeled, inhibitory and excitatory cells', 'The morphology of each neuron was based on its electrophysiological properties', 'Ten types of morphologies were modeled based on reconstructions and further types were obtained via “statistical cloning”', 'More than fifty morphological types based on reconstructions were modeled']",More than fifty morphological types based on reconstructions were modeled,3 +2188,15043,Life Sciences Engineering,online,The response of single cells to a variety of stimuli has been studied. What can be said about the variability of the responses of a cell?,"['Most cells respond with a high consistency to their preferred stimulus', 'Most cells respond about 30% of the time to their preferred stimulus', 'Some cells respond with a high consistency to their preferred stimulus', 'All cells respond about 30% of the time to their preferred stimulus']",Most cells respond about 30% of the time to their preferred stimulus,1 +2190,15043,Life Sciences Engineering,online,What can be observed when comparing field sign maps and anatomical maps of the murine visual cortex?,"['The anatomical map is different from the mean field sign map', 'The anatomical and the mean field sign map both include a large triangular area', 'The anatomical and the mean field sign map both include a series of small areas around V1', 'All of the above']",All of the above,3 +2193,15043,Life Sciences Engineering,online,How many unique thumbnails representing population level cell responses are in this resource?,"['9', '15', '13', '21']",13,2 +2196,15043,Life Sciences Engineering,online,"When analyzing the response of the mouse visual cortex to moving bars, field sign maps can be computed. Which statements about field sign maps are true?","['They are based on the values on the horizontal and vertical axes at which each pixel in the brain image show the highest activity in response to a moving bar', 'Regions where the field sign is equal to zero correspond to borders of visual areas', 'Field sign map do not precisely overlay with anatomical maps', 'All of the above']",All of the above,3 +2197,15043,Life Sciences Engineering,online,"Two distinct pathways that process different types of information were described in the visual cortex, the ventral and dorsal pathways. What would you expect cells in the dorsal, but not ventral, pathway to be tuned for?","['Speed', 'Orientation', 'Spatial frequency', 'Complex objects']",Speed,0 +2201,15043,Life Sciences Engineering,online,What can be done to avoid a blurred image due to scattering when using optical methods?,"['Use two-photon microscopy', 'Use a voltage-sensitive dye', 'Increase the time lapse between images', 'Use one-photon microscopy']",Use two-photon microscopy,0 +2203,15043,Life Sciences Engineering,online,"When the firing frequency increases above 5 Hz, what happens to the APs in human and rodent neurons?","['Both human and rodent neurons fire slower APs', 'Both human and rodent neurons fire faster APs', 'Human neuron APs remain unchanged and rodent neuron APs become slower', 'Human neuron APs become faster and rodent neuron APs become slower']",Human neuron APs remain unchanged and rodent neuron APs become slower,2 +2205,15043,Life Sciences Engineering,online,Which of the following assertions regarding the field sign positive ribbon surrounding V1 are true?,"['It is present in anatomical maps of the murine and primate visual cortex', 'It is present in anatomical maps of the primate visual cortex', 'It is present in functional maps of the murine and primate visual cortex', 'It is present in anatomical maps of the murine visual cortex']",It is present in anatomical maps of the primate visual cortex,1 +2207,15043,Life Sciences Engineering,online,Can you use a model and set of tools from Blue Brain to analyze a brain region you are interested in?,"['Yes, both models and tools are made accessible through the human brain project', 'No, because models and associated tools are very specific for the brain region they were originally based on', 'Models are accessible when they are published, but the tools are limited to members of Blue Brain', 'Yes, if you have obtained authorization from the PI']","Yes, both models and tools are made accessible through the human brain project",0 +2209,15043,Life Sciences Engineering,online,What are advantages of two-photon microscopy over one-photon microscopy?,"['There is significantly less scattering', 'Several sites can be stimulated simultaneously', 'Different chromophores can be excited with one laser', 'A larger area can be imaged']",There is significantly less scattering,0 +2212,15043,Life Sciences Engineering,online,The primate visual cortex…,"['is composed of one area that is a map of the entire visual space', 'is composed of several areas forming one map of the entire visual space', 'is composed of several areas, each forming one map of the entire visual space', 'is composed of one area including several maps of the visual space']","is composed of several areas, each forming one map of the entire visual space",2 +2213,15043,Life Sciences Engineering,online,What information can you gain from the mean field model without simulation?,"['The attractor corresponding to self-sustained activity', 'The response of the network to inputs', 'Long-term response after adaptation', 'The speed of propagating waves']",The attractor corresponding to self-sustained activity,0 +2214,15043,Life Sciences Engineering,online,How was the spatial location of the neurons in the microcircuit decided?,"['Based on their size, the layer their soma is in and the layers they reach', 'Randomly in the layer they are known to be', 'In a way that respect the cell density and makes the somata equidistant to each other', 'As an exact reconstruction of a fixed brain area']","Based on their size, the layer their soma is in and the layers they reach",0 +2215,15043,Life Sciences Engineering,online,What are cells further along the dorsal pathway likely to be tuned for that cells in V1 are not?,"['Speed', 'Direction', 'Color', 'Orientation']",Speed,0 +2216,15043,Life Sciences Engineering,online,Name the 3 structures that show the strongest post-natal expression of tyrosine hydroxylase.,"['Hippocampus,Dendate gyrus,Subthalamic nucleus.', 'Hippocampus, Amygdala, Striatum.', 'Amygdala, Paratenial nucleus, Striatum.']","Hippocampus, Amygdala, Striatum.",1 +2217,15043,Life Sciences Engineering,online,Which method allows expanding the field of view of two-photon microscopy?,"['Multispot multiphoton microscopy', 'Random access microscopy', 'Temporal focusing', 'Endogenous voltage-sensitive dyes']",Multispot multiphoton microscopy,0 +2218,15043,Life Sciences Engineering,online,Which of the following assertions concerning propagating waves are true?,"['A complex experimental setup is necessary to record propagating waves', 'Propagating waves are a kind of network activity', 'Voltage-sensitive dyes can be used to observe propagating waves', 'Propagating waves occur only in vivo']",Propagating waves are a kind of network activity,1 +2222,15043,Life Sciences Engineering,online,Which of the following signal properties is best adapted to detect and quantify a traveling wave?,"['The spatial gradient of the phase', 'The instantaneous amplitude', 'The Hillbert transform', 'The spatial gradient of the amplitude']",The spatial gradient of the phase,0 +2223,15043,Life Sciences Engineering,online,"Which quantitative values, in matrix form, are used for clustering voxels of interest based on connectivity?","['The number of axons connecting each voxel of interest to every other voxel of the brain', 'The likelihood that each voxel of interest co-activates across tasks with every other voxel of the brain', 'A Boolean matrix with value 0 if the row voxel and column voxel are not connected and value 1 if they are connected', 'The fraction of trials during which each voxel of interest co-activates with each other voxel of the region of interest during a specific task']",The likelihood that each voxel of interest co-activates across tasks with every other voxel of the brain,1 +2226,15043,Life Sciences Engineering,online,How is the fact that most data is sparse managed in modeling?,"['A pipeline allowing the inclusion of new data and fast adaptation of the model is used', 'Principles are inferred from sparse data and used to build algorithms', 'New experiments are made to supply missing data or test inferences', 'All of the above']",All of the above,3 +2227,15043,Life Sciences Engineering,online,What happens to cells in the motion processing pathway in presence of an immobile visual stimulus representing a simple object?,"['only cells tuned to a speed of zero will respond independently of the object used as a stimulus, encoding only information about the absence of movement', 'Similarly to what is observed in the pathway that processes object shapes, responses can be observed; however, they are not specific to the object and thus contain no information about its form', 'Nothing; as the pathway contains cells tuned to speed and not form, cells does not respond to an immobile stimulus', 'Exactly the same that would happen to a cell tuned to the simple object in the pathway for object selectivity, but the information is not used further by the brain']","Similarly to what is observed in the pathway that processes object shapes, responses can be observed; however, they are not specific to the object and thus contain no information about its form",1 +2228,15043,Life Sciences Engineering,online,Which approximations are made by the mean field models?,"['The dynamics of the system are markovian', 'The dynamics of the system are poissonian', 'The population activity has a Gaussian distribution', 'The mean voltage is a measure of the activity']",The dynamics of the system are markovian,0 +2231,15043,Life Sciences Engineering,online,The cell typing problem…,"['is knowing the identity of the cells, but not that of the genes', 'is knowing the identity of the genes, but not that of the cells', 'can be solved by comparing the data for different cells by eye', 'requires computational classification methods']","is knowing the identity of the genes, but not that of the cells",1 +2234,15043,Life Sciences Engineering,online,What is neuromorphic computing?,"['Computer-assisted reconstruction of brain morphology', 'A bioinformatic method used to classify neuronal cell morphologies', 'Silicon-based computing based on the brain architecture and function', 'Software used in brain-controlled robots']",Silicon-based computing based on the brain architecture and function,2 +2235,15043,Life Sciences Engineering,online,What kind of sample do you need to perform Light Sheet microscopy?,"['Tissue slices', 'Tissue stained with a light-excitable dye', 'A live sample', 'A transparent organ']",A transparent organ,3 +2238,15043,Life Sciences Engineering,online,How do the transfer functions from different cells relate to each other?,"['Transfer functions differ between cell types, but all cells from one cell type have the same transfer function', 'Each cell has a different transfer function', 'Transfer functions differ between layers in V1, but all cells in one layer have the same transfer function', 'There are two different transfer functions, one for excitatory cells and one for inhibitory cells']",Each cell has a different transfer function,1 +2240,15043,Life Sciences Engineering,online,What does the NeuroCurator tool do?,"['It searches the literature for potentially useful parameter values using text mining', 'It allows the precise annotation of parameters found in the literature', 'It helps embed parameters from the literature into computer models', 'It transforms quantitative measurements from the literature into usable parameters']",It allows the precise annotation of parameters found in the literature,1 +2241,15043,Life Sciences Engineering,online,What is a problem of actual optical techniques used to study the brain?,"['Two-photon microscopy does not allow the study of a large brain area', 'One-photon microscopy does not have a high enough resolution', 'The use of exogenous voltage-sensitive dyes allows only short-term experiments', 'All of the above']",All of the above,3 +2244,15043,Life Sciences Engineering,online,"Which gene has been found to be duplicated in the human genome and, consequently, to drive neocortical size and spine formation?","['FOS (proto-oncogene) gene', 'SRGAP2 (SLIT-ROBO Rho GTPase-activating protein 2) gene', 'NRN1 (neuritin 1) gene', 'BDNF (Brain Derived Neurotrophic Factor) gene']",SRGAP2 (SLIT-ROBO Rho GTPase-activating protein 2) gene,1 +2246,15043,Life Sciences Engineering,online,Why is it useful to track the source of a parameter value?,"['To be able to verify that the conditions under which it was measured are compatible with your study', 'To be able to replace it if updated information becomes available', 'To be able to check if the measurement is trustworthy', 'All of the above']",All of the above,3 +2247,15043,Life Sciences Engineering,online,A cell type is:,"['a phenotypic state strictly defined by the expression level of specific proteins', 'a portion of a continuous phenotypic landscape that is more likely to be occupied by a cell', 'defined by the combination of several data modalities', 'a phenotypic state from and to which a cell converts repeatedly']",a portion of a continuous phenotypic landscape that is more likely to be occupied by a cell,1 +2248,15043,Life Sciences Engineering,online,What parameters influence the membrane capacitance of a cell?,"['Membrane lipid composition', 'Membrane thickness', 'Membrane surface area', 'All of the above']",All of the above,3 +2250,15043,Life Sciences Engineering,online,What is the problem using balanced networks of spiking neurons to represent propagating waves as observed with microscopy?,"['This type of model does not include inhibitory neurons, but inhibitory activity can be observed experimentally', 'This type of model includes inhibitory neurons, but no inhibitory activity can be observed experimentally', 'An average of the activity is measured experimentally, but every neuron is represented in this type of model', 'The activity of every single neuron is measured experimentally, but this type of model describes the average activity of a population']","An average of the activity is measured experimentally, but every neuron is represented in this type of model",2 +2251,15043,Life Sciences Engineering,online,A cell that responds consistently to image 114 might respond to what static grating stimuli?,"['0 degrees orientation, and 0.04 cycles/degree', '90 degrees orientation, and either 0.02, 0.04 or 0.08 cycles/degree', '90 degrees orientation', '0.02, 0.04 or 0.08 cycles/degree', '0 degrees orientation']","90 degrees orientation, and either 0.02, 0.04 or 0.08 cycles/degree",1 +2252,15043,Life Sciences Engineering,online,Which of the following assumptions concerning ion channels in the literature are false?,"['Experiments were performed at varying temperatures', 'The presence of other types of ion channels on the same cell confuses the data', 'There is little literature on ion channel function', 'Different channels were characterized in different organisms']",There is little literature on ion channel function,2 +2253,15043,Life Sciences Engineering,online,Why are data and models of the rodent brain insufficient to model and study the human brain?,"['The molecular structure of synapses differs between humans and rodent', 'The rodent brain is not layered like the human brain', 'Some neuronal cell types present in humans, like interneurons, cannot be found in rodents', 'Dendrite morphology is not identical in humans and rodents']",The molecular structure of synapses differs between humans and rodent,0 +2254,15043,Life Sciences Engineering,online,Computational tools are used to discover structures relevant for human brain function based on functional connectivity. What types of algorithms are typically used to do this?,"['Clustering algorithms', 'Sorting algorithms', 'Matrix decomposition algorithms', 'Genetic algorithms']",Clustering algorithms,0 +2256,15043,Life Sciences Engineering,online,What enables human neurons to encode high resolution inputs coming from a large number of synapses?,"['The higher reliability of spike timing relative to high frequency stimulation', 'The larger size of human synapses', 'Human neurons have a lower AP onset rapidity', 'The stability of AP kinetics in response to high-frequency stimulation']",The higher reliability of spike timing relative to high frequency stimulation,0 +2257,15043,Life Sciences Engineering,online,How does the model respond to the thalamic stimulation?,"['In a synchronous manner', 'In an asynchronous manner', 'It depends on the strength of the stimulus', 'It depends on the strength of the stimulus and the calcium concentration']",It depends on the strength of the stimulus and the calcium concentration,3 +2258,15043,Life Sciences Engineering,online,What is a classic receptive field in the LGN?,"['An elongated region of space that causes the activation of a neuron in presence of a stimulus of of specific color', 'A circular region of space that causes the activation of a neuron in presence of a stimulus', 'An circular region of space that causes the activation of a neuron when an object moves though it in a specific direction', 'An elongated region of space that causes the activation of a neuron when an object moves though it at a specific speed']",A circular region of space that causes the activation of a neuron in presence of a stimulus,1 +2260,15043,Life Sciences Engineering,online,What information is optimally provided to define a neuroscience dataset?,"['The location in the brain from which the data originates', 'The equipment and parameters used in the experiments', 'An URL to access the data', 'All of the above']",All of the above,3 +2267,15043,Life Sciences Engineering,online,Input frequencies of 1000 Hz…,"['Can be tracked by human and rodent neurons', 'Elicit spiking at 1000 Hz in human neurons', 'Is the maximum that can be tracked by human neurons', 'None of the above']",None of the above,3 +2271,15043,Life Sciences Engineering,online,Which assertion concerning the number of clusters in cluster analysis is true?,"['Most cluster algorithms determine the most likely number of cluster present in the data analyzed', 'The k-means algorithm only finds a solution to the clustering problem for the right amount of clusters', 'The number of cluster has to be fixed beforehand when using hierarchical clustering', 'In clustering, you always get a solution, independently of the prespecified number of clusters']","In clustering, you always get a solution, independently of the prespecified number of clusters",3 +2273,15043,Life Sciences Engineering,online,>>In which of the following aspects do cells in the mouse V1 area differ from those in the cat or primate V1 areas?,"['Most of their receptive fields are single ON or OFF subunits', 'They are tuned for orientation and direction', 'They are tuned only for orientation', 'They are not organized into orientation columns']",Most of their receptive fields are single ON or OFF subunits,0 +2274,15043,Life Sciences Engineering,online,A morphological feature shown to be significantly different between human and rodent neurons is…,"['Cell body size', 'Dendritic length and segmentation', 'Cortical thickness', 'Cortical layers']",Dendritic length and segmentation,1 +2275,15043,Life Sciences Engineering,online,What has long been the difficulty with single cell gene expression analysis?,"['Isolating single cells', 'labelling the cells for purification', 'Preserving messenger RNA before sequencing', 'Amplifying the messenger molecules']",Amplifying the messenger molecules,3 +2276,15043,Life Sciences Engineering,online,What difference is observed between nuclear and cytoplasmic mRNA expression profiles?,"['The number of mRNA sequences detected in the nucleus and the cytoplasm is the same', 'Gene expression in the nucleus happens in bursts over time', 'There is a smoother distribution of mRNA numbers in the cytoplasm than in the nucleus', 'The majority of mRNA transcripts are shuttled from the nucleus to the cytoplasm']",Gene expression in the nucleus happens in bursts over time,1 +2277,15043,Life Sciences Engineering,online,Where does the suppression effect come from according to the model?,"['The spatially restrained connectivity of inhibitory cells', 'The conductance shunting the cells in response to a high input regime', 'The greater response of inhibitory cells than of excitatory cells to the same input', 'The frequency of the input signal']",The conductance shunting the cells in response to a high input regime,1 +2278,15043,Life Sciences Engineering,online,How well can decoders infer information on the original stimulus based on the activity of cells in the ventral and dorsal streams?,"['Very well based on ventral stream cells, but poorly based on dorsal stream cells', 'Very well based on dorsal stream cells, but poorly based on ventral stream cells', 'Reasonably well for cells in both streams', 'Poorly based on cells in both streams, but better based on ventral stream cells']","Poorly based on cells in both streams, but better based on ventral stream cells",3 +2279,15043,Life Sciences Engineering,online,What distinguishes the human brain from animal models used in research?,"['Brain size and cognitive capability', 'Exposure to increased social demands', 'Microcircuit properties and behavioural repertoire', 'Brain areas and morphology']",Brain size and cognitive capability,0 +2281,15043,Life Sciences Engineering,online,What heuristics can be used to approximate a reasonable number of clusters in a dataset?,"['The consistency of brain segregation solutions across solutions for different cluster numbers', 'The statistical significance of solutions for different cluster numbers', 'The intercluster distance compared to the intracluster distance', 'The mutual information between clusters']",The consistency of brain segregation solutions across solutions for different cluster numbers,0 +2282,15043,Life Sciences Engineering,online,"How do the components of macroscopical brain networks derived from task-independent data (i.e, RSFC) relate to those derived from task-dependent data (i.e., MACM)?","['It depends on the seed brain region; for some, they are very similar, whereas they differ for other regions', 'It depends on the task; the more complex the task, the more different the networks are from resting-state networks', 'The overall pattern is similar', 'Very little overlap can be observed between networks derived from task-dependent and task-independent data']",The overall pattern is similar,2 +2283,15043,Life Sciences Engineering,online,Which message does the image illustrate?,"['A cognitive process is not characterized uniquely by brain regions or a fixed network', 'Brain regions can be involved in several different networks during different cognitive processes', 'Brain regions in a network dynamically recombine to realize a cognitive process', 'All of the above']",All of the above,3 +2285,15043,Life Sciences Engineering,online,How does the activity of a mouse influence the response of single neurons in V1 to their preferred stimulus?,"['The average response is stronger when the mouse is running', 'The activity of the mouse does not influence the response', 'The running speed of the mouse directly correlates to the strength of the response', 'The average response is weaker when the mouse is running']",The average response is stronger when the mouse is running,0 +2286,15043,Life Sciences Engineering,online,What happens to cells in the dorsal pathway in presence of an immobile visual stimulus representing a simple object?,"['Nothing; as the dorsal pathway contains cells tuned to speed and not form, cells does not respond to an immobile stimulus', 'Exactly the same that would happen to a cell tuned to the simple object in the ventral pathway, but the information is not used further by the brain', 'Similarly to what is observed in the ventral pathway, responses can be observed; however, they are not specific to the object and thus contain no information about its form', 'only cells tuned to a speed of zero will respond independently of the object used as a stimulus, encoding only information about the absence of movement']","Similarly to what is observed in the ventral pathway, responses can be observed; however, they are not specific to the object and thus contain no information about its form",2 +2345,15047,Life Sciences Engineering,online,"The etch stop by B implantation in Si, using B concentrations above 1020atoms/cm3, is a technique used to create thin membranes from Si wafers. Which of the following is a disadvantage of this process?","['The technique requires the application of a positive potential to the wafer that produces holes at the Si/solution interface', 'Very high B concentrations are not compatible with standard CMOS devices and they may compromise the crystal quality', 'The SiO', 'The silicon crystal orientation has a significant influence on the implantation profile']",Very high B concentrations are not compatible with standard CMOS devices and they may compromise the crystal quality,1 +2346,15047,Life Sciences Engineering,online,PECVD is the method of choice when diamond is deposited. Why?,"['It adheres only on pyrex substrates which cannot be used in LPCVD', 'Other CVD methods are too expensive because a lot of precursor is wasted', 'In PECVD, high pressure and high temperature are needed, which supports the diamond carbon allotype over graphite', 'Plasma is necessary for the activation of the reagents']",Plasma is necessary for the activation of the reagents,3 +2347,15047,Life Sciences Engineering,online,What is the reason for the color change in SiO2thin films with different thicknesses on silicon?,"['Refractive index change of SiO', 'Interference of the light reflected from the thin film’s lower and upper boundaries', 'Optical absorption spectrum of the thin film varies with different thickness', 'Reflectivity of the thin film changes with the thickness for different wavelengths']",Interference of the light reflected from the thin film’s lower and upper boundaries,1 +2348,15047,Life Sciences Engineering,online,1. Why is supercritical point drying used after HF etching of a SOI wafer?,"['To remove any organic residues remaining on the wafer surface after etching', 'To completely remove HF molecules on the surface in order to prevent any hazardous consequences during wafer handling', 'To prevent collapse of free-standing Si structures on the wafer surface by capillary forces', 'To provide a smooth wafer surface for proceeding to next fabrication steps']",To prevent collapse of free-standing Si structures on the wafer surface by capillary forces,2 +2349,15047,Life Sciences Engineering,online,Which is the origin of shear stress in a CVD reactor?,"['Slow flowing gases cause local pressure variations', 'Low Reynolds number', 'Gas flows at variable velocities in the boundary layer close to the substrate', 'Drop in gas density at the interface between the boundary layer and the region outside']",Gas flows at variable velocities in the boundary layer close to the substrate,2 +2350,15047,Life Sciences Engineering,online,What can be done in RF plasma etching to decrease the etching rate on the RF electrode side where the wafer is placed?,"['The pressure inside the chamber must be decreased', 'The frequency of the RF voltage can be decreased', 'The RF electrode area can be chosen larger in size than the electrode on the opposite side', 'The gas flow rate must be reduced']",The RF electrode area can be chosen larger in size than the electrode on the opposite side,2 +2351,15047,Life Sciences Engineering,online,1. Which of the following is true related to the pulsed deep dry etching process of Si (Bosch process)?,"['C', 'A loading effect is observed when there is a wide mask opening and a narrow mask opening on the same wafer', 'The etching rate can be increased by adding Ar in between etching and passivation steps', 'SF']",A loading effect is observed when there is a wide mask opening and a narrow mask opening on the same wafer,1 +2352,15047,Life Sciences Engineering,online,"1. In UV-lithography we typically use a photomask, which is made of a transparent glass plate coated with a structured chromium film. What is the process flow to fabricate such a mask, assuming that the chromium and resist layer are already added on the glass plate?","['Development, laser writing, etching, resist stripping, dehydration', 'Laser writing, development, etching, resist stripping, dehydration', 'Development, etching, resist stripping, laser writing, dehydration']","Laser writing, development, etching, resist stripping, dehydration",1 +2353,15047,Life Sciences Engineering,online,Which of the following steps is essential in a supercritical point drying cycle?,"['HF is replaced by a diluted H', 'Water is replaced by a concentrated acetone solution', 'HF is emptied and filled back three times to ensure good etching before drying', 'CO']",CO,3 +2354,15047,Life Sciences Engineering,online,"In thermal scanning probe lithography, which of the following statements are true?","['An atomic force microscopy tip is heated and scanned over the substrate to remove or modify a material.', 'Tip wear limits the lifetime of the probes.', 'An atomic force microscope tip is scanned over a hot substrate to modify a resist.', 'The tip apex size limits the maximum achievable resolution.']",An atomic force microscopy tip is heated and scanned over the substrate to remove or modify a material.,0 +2355,15047,Life Sciences Engineering,online,"1. Electron beam proximity effect depends on both forward- and back-scattered electrons. Assuming a rectangular pattern, how should the dose be modulated?","['The dose required to fully clear or cross-link the resist', 'The dose at which patterns of 50% density have the nominal dimensions', 'The dose at which both high-density and low-density structures present an equal delta to the target critical dimension']",The dose at which patterns of 50% density have the nominal dimensions,1 +2356,15047,Life Sciences Engineering,online,The Van der Pauw 4-point probe measurement is a suitable method for electrical resistivity investigation when we measure a conductive thin film whose…,"['thickness is known', 'width is known', 'length is known', 'square number is known']",thickness is known,0 +2357,15047,Life Sciences Engineering,online,"In surface micro-machining, a thin Si membrane can be fabricated by removing a SiO2sacrificial layer beneath a Si functional layer. Which of the following is true for this process?","['The SiO', 'The polySi layer is naturally water-permeable, therefore there is no need of access holes on the polySi to remove the SiO', 'Wet etching of SiO', 'A polySi layer is deposited in the form of a thin film on top of a patterned SiO']",A polySi layer is deposited in the form of a thin film on top of a patterned SiO,3 +2358,15047,Life Sciences Engineering,online,"1. For a given photolithography equipment, what can be done to increase the resolution?","['Decrease the thickness of the photoresist', 'Increase the thickness of the photoresist', 'Decrease the distance between the photomask and the resist', 'Increase the distance between the photomask and the resist', 'Use a lower contrast photoresist', 'Use a higher contrast photoresist']",Decrease the thickness of the photoresist,0 +2359,15047,Life Sciences Engineering,online,1. Which one is a useful step for fabricating a thin Si membrane by wet etching starting from a monolithic Si substrate?,"['Dipping before etching the wafer in a concentrated acetone solution', 'Placing the Si wafer in a KOH anisotropic bath', 'Immersing the Si wafer in Piranha solution', 'Instead of taking pure Si, take a wafer which is completely doped with boron at a concentration above 10']",Placing the Si wafer in a KOH anisotropic bath,1 +2360,15047,Life Sciences Engineering,online,Which statement is true for the simplified mass transfer equation?,"['The annihilation term -n ̇ is only non-zero at y= ∞', 'Close to the surface, but not exactly at the surface, the gas density depends linearly on the distance from the surface y', 'It is based on the assumption that there is no or little diffusion close to the surface', 'It can still correctly describe non-equilibrium phenomena']","Close to the surface, but not exactly at the surface, the gas density depends linearly on the distance from the surface y",1 +2362,15047,Life Sciences Engineering,online,What are advantages of an AFM over an optical profilometer?,"['AFM can be used to measure the thickness of transparent structures', 'Enables highly parallel and fast topography mapping in several-square-centimeter area', 'Dynamic 3D measurements are possible', 'High lateral resolution below the optical diffraction limit']",AFM can be used to measure the thickness of transparent structures,0 +2363,15047,Life Sciences Engineering,online,What is the main advantage of Ion Beam Etching (IBE) to a plasma-based etching process?,"['In sensitive processes with an ion energy below 100 eV, a high ion flux is provided to maintain the etch rate', 'The pulsed deep dry etching process of Si (Bosch process) is only possible by using IBE', 'The wall reactor heating supplies a good attraction between ions and the wafer, which increases the etching rate', 'The angle of incidence of the ion beam onto the sample can be varied and etching profiles with different angles with respect to the surface can be fabricated']",The angle of incidence of the ion beam onto the sample can be varied and etching profiles with different angles with respect to the surface can be fabricated,3 +2364,15047,Life Sciences Engineering,online,What is limiting the thickness of SiO2layers deposited by thermal oxidation?,"['The reaction rate at the surface of the substrate', 'The reaction is reversible and finds its equilibrium after a while', 'Oxygen diffuses slowly though previously oxidized silicon', 'After a while, all oxygen in the reactor is consumed']",Oxygen diffuses slowly though previously oxidized silicon,2 +2365,15047,Life Sciences Engineering,online,1. Which parameter has to be varied when a deposition of polycrystalline silicon instead of amorphous silicon is targeted?,"['Chamber pressure', 'Reactor temperature', 'Precursor gases', 'Substrate material']",Reactor temperature,1 +2366,15047,Life Sciences Engineering,online,Which of the following signals can be detected in a scanning electron microscope with integrated EDX module?,"['Primary electron', 'Secondary electron', 'Ion', 'Backscattered electron', 'X-rays / photons']",Secondary electron,1 +2367,15047,Life Sciences Engineering,online,Packaging is an important part of modern MEMS microphones as they are often exposed to adverse environment. A MEMS microphone package contains the MEMS microphone die itself as well as the ASIC die. What other functions does the package fulfill?,"['The package protects the 2 dies', 'The package affects the acoustic performance', 'The package is under vacuum', 'The package provides electromagnetic shielding']",The package protects the 2 dies,0 +2369,15047,Life Sciences Engineering,online,1. Which of the following statements related to sputtering techniques are correct?,"['Sputtering allows for the deposition of metal, compounds, and refractory materials', 'Sputtered thin films usually have a poor adhesion', 'Sputtering shows better step coverage than evaporation', 'Sputtering heats up material in a crucible using an electron beam']","Sputtering allows for the deposition of metal, compounds, and refractory materials",0 +2370,15047,Life Sciences Engineering,online,Bulk acoustic wave (BAW) resonators are the key element of modern GHz-range ladder filters that are used today in smartphones etc. They are basically…,"['…high-pass filters', '…low-pass filters', '…band-pass filters']",…band-pass filters,2 +2371,15047,Life Sciences Engineering,online,1. Which of the following statements about BAW are correct?,"['Solidly Mounted Resonators (SMR) are unreleased resonators located over a Bragg mirror', 'Chemical vapor deposition is normally used to deposit piezoelectric materials for SMR', 'Ion beam trimming is needed in order to adjust the resonance frequency']",Solidly Mounted Resonators (SMR) are unreleased resonators located over a Bragg mirror,0 +2372,15047,Life Sciences Engineering,online,"In ALD, how can single atomic layer thickness be achieved?","['By using very little precursor gas', 'By using a reaction which stops once all reactive sites on the surface are consumed', 'By using a reaction which stops once the product density is too high', 'By using a reaction which has a limited reaction rate due to low precursor concentration']",By using a reaction which stops once all reactive sites on the surface are consumed,1 +2373,15047,Life Sciences Engineering,online,1. Which are the assumptions made to obtain the simplified mass transfer equation?,"['No advection far from substrate and no gas density variation in the horizontal direction', 'No advection far from substrate and no gas density variation in the vertical direction', 'No advection close to substrate and no gas density variation in the horizontal direction', 'No advection close to substrate and no gas density variation in the vertical direction']",No advection close to substrate and no gas density variation in the horizontal direction,2 +2374,15047,Life Sciences Engineering,online,What is correct in saying about the deposition rate of a thin film?,"['A lower gas flowrate increases the film deposition rate', 'As the activation energy of the reaction decreases, the deposition rate decreases', 'Local variations in the gas concentration occur less at lower pressure, in which case more uniform deposition rates can be achieved', 'If gas pressure is increased at constant temperature, a deposition which is in the reaction controlled regime can never shift to the mass-controlled regime']","Local variations in the gas concentration occur less at lower pressure, in which case more uniform deposition rates can be achieved",2 +2375,15047,Life Sciences Engineering,online,Which of the following propositions about sputtering are correct?,"['Sputtering has better step coverage than evaporation due to higher operating pressure', 'Sputtering can be used to deposit metals, alloys, refractory oxides and nitrides', 'Sputtering can be used to deposit polymers', 'The stress of deposited film by sputtering can be controlled by tuning the substrate temperature', 'At fixed process parameters, sputtering yield is constant independently of the material']",Sputtering has better step coverage than evaporation due to higher operating pressure,0 +2376,15047,Life Sciences Engineering,online,Which is a critical advantage of plasma-enhanced CVD?,"['The deposition is always in the mass-controlled regime', 'Thin films can be selectively deposited on the substrates surface', 'Wafer throughput increases', 'Activation energy is reduced which enables increased growth rates']",Activation energy is reduced which enables increased growth rates,3 +2377,15047,Life Sciences Engineering,online,Why is supercritical point drying essential after HF etching of a SOI wafer?,"['To remove any organic residues remaining on the wafer after Piranha surface cleaning', 'To provide a good hydrophobicity for the next fabrication steps', 'To prevent free-standing Si structures collapsing on the wafer by capillary forces', 'To completely remove F atoms on the surface in order to prevent any hazardous consequences during wafer handling']",To prevent free-standing Si structures collapsing on the wafer by capillary forces,2 +2378,15047,Life Sciences Engineering,online,Which of the following is a limitation of IBE?,"['Long etching processes are quite instable as the operation pressure is too high', 'Etching processes that consume or generate a significant quantity of gas are not possible', 'Ions tend to have a lot of collisions during their trajectory, which reduces the etching quality', 'Because of the low operation pressure, sputtered material accumulates on the sample surface']",Etching processes that consume or generate a significant quantity of gas are not possible,1 +2379,15047,Life Sciences Engineering,online,"1. In a standard DC sputtering tool using an Ar plasma, you plan to deposit a thin film using a chamber pressure of 400 Pa. However, it is not possible to initiate the plasma under these conditions because the voltage provided by the power supply is too low. What would be the most suitable practical solution?","['Increase the gas pressure in order to decrease the breakdown voltage', 'Decrease the gas pressure in order to decrease the breakdown voltage', 'Increase the distance between the target and the substrate', 'Decrease the distance between the target and the substrate']",Decrease the gas pressure in order to decrease the breakdown voltage,1 +2380,15047,Life Sciences Engineering,online,1. Which is a key advantage of CVD as a thin film deposition method?,"['All CVD processes operate at low temperatures, which are not harmful to substrates', 'Conformal material deposition across all surfaces of the substrate', 'Precursors used in CVD are rarely toxic or corrosive', 'Efficient consumption of the gas in a uniformly heated reactor']",Conformal material deposition across all surfaces of the substrate,1 +2381,15047,Life Sciences Engineering,online,What is the reason why a mask with arbitrary shape cannot be replicated accurately into the substrate by anisotropic wet etching of the bulk of the substrate?,"['Underneath the mask, there is an opening which is etched at an angle of 45° with respect to the mask itself', 'A V-shaped structure appears under the mask because the etch rate in the (111) direction is faster than the etch rate in (110) direction', 'Etching stops only when the etchant arrives at (111) planes, which finally results in an inverted-roof rectangular structure when observed from the top', 'Using a mask with random curved structures results in different etching speeds, with deeper holes etched where the radius of curvature of the mask is higher']","Etching stops only when the etchant arrives at (111) planes, which finally results in an inverted-roof rectangular structure when observed from the top",2 +2382,15047,Life Sciences Engineering,online,"Assuming that a Si wafer is immersed in a wet anisotropic etchant, which of the following is correct regarding the Si anisotropic etching process?","['A Si atom in a (111) plane has 3 backbonds and 3 dangling bonds', 'A Si atom in a (100) plane has 2 backbonds and 2 dangling bonds', 'The etch rate for Si atoms in (100) and (111) planes are temperature-independent', 'A Si atom in a (111) plane has a higher etching rate than a Si atom in a (100) plane']",A Si atom in a (100) plane has 2 backbonds and 2 dangling bonds,1 +2383,15047,Life Sciences Engineering,online,"When, in the Bosch process the pressure of the etching gas is chosen too high, it happens that initially vertical etched structures get a more and more tapered and less steep profile when etching deeper in the substrate. What is the main reason behind this?","['The overexcited etching gas causes the amount of atoms per volume to decrease gradually', 'The excessive etching gas turns into deposition mode and it starts piling up on the bottom of the structures', 'The reduced amount of removal of reaction products from the bottom of the structure due to the low mean free path of reaction products in the gas', 'The polymerization gas accumulates in the bottom as a result of the increase of pressure in the etching gas and a decrease of pressure in the polymerization gas']",The reduced amount of removal of reaction products from the bottom of the structure due to the low mean free path of reaction products in the gas,2 +2384,15047,Life Sciences Engineering,online,1. Which of the following equipment allows depositing a SiO2thin film?,"['I. RF sputtering – II. DC sputtering – III. RF magnetron sputtering – IV. DC magnetron sputtering', 'I. DC magnetron sputtering – II. DC sputtering – III. RF magnetron sputtering – IV. RF sputtering', 'I. RF sputtering – II. DC magnetron sputtering – III. RF magnetron sputtering – IV. DC sputtering', 'I. RF magnetron sputtering – II. RF sputtering – III. DC magnetron sputtering – IV. DC sputtering']",I. RF magnetron sputtering – II. RF sputtering – III. DC magnetron sputtering – IV. DC sputtering,3 +2385,15047,Life Sciences Engineering,online,Which of the following is a commonly used application of HF etching?,"['To make the wafer surface more hydrophilic especially for possible PDMS molding processes', 'To remove the residual organics from the wafer surface and to improve adhesion of the surface', 'To form free standing structures', 'To thermally and mechanically stabilize the structures on the wafer']",To form free standing structures,2 +2386,15047,Life Sciences Engineering,online,"1. In a typical lithography process flow, the photoresist is locally exposed to UV light through a mask and is then developed. While the resist serves as etch mask for a subsequent etching step, the developed parts give access to the substrate below for the pattern transfer. During the development step, by which mechanism is the resist removed?","['The resist is evaporated', 'The resist is dissolved', 'The resist is sublimated', 'The resist is delaminated']",The resist is dissolved,1 +2387,15047,Life Sciences Engineering,online,Which of these equipments can be used for directional physical etching?,"['A batch reactor', 'A diode reactor', 'A plug flow reactor', 'An atomic layer chemical vapor deposition system']",A diode reactor,1 +2474,15064,Physics,online,"Use Ito's Lemma by defining an appropriate function [mathjaxinline]f,[/mathjaxinline] to find the equation of motion for [mathjaxinline]\left\langle X(t)^{2}\right\rangle[/mathjaxinline] for the Ornstein Uhlenbeck process (that you already calculated in the lecture 1 exercises)","['[mathjaxinline]\\frac{d}{d t}\\left\\langle X^{2}(t)\\right\\rangle=-\\frac{2}{\\tau}\\left\\langle X^{2}(t)\\right\\rangle+c[/mathjaxinline]', '[mathjaxinline]\\frac{d}{d t}\\left\\langle X^{2}(t)\\right\\rangle=-\\frac{2}{\\tau}\\left\\langle X^{2}(t)\\right\\rangle+\\frac{c}{\\tau ^2}[/mathjaxinline]', '[mathjaxinline]\\frac{d}{d t}\\left\\langle X^{2}(t)\\right\\rangle=-\\frac{1}{\\tau}\\left\\langle X^{2}(t)\\right\\rangle+\\frac{c}{2}[/mathjaxinline]', '[mathjaxinline]\\frac{d}{d t}\\left\\langle X^{2}(t)\\right\\rangle=-\\frac{1}{\\tau ^2}\\left\\langle X^{2}(t)\\right\\rangle+\\frac{c}{\\tau}[/mathjaxinline]']",[mathjaxinline]\frac{d}{d t}\left\langle X^{2}(t)\right\rangle=-\frac{2}{\tau}\left\langle X^{2}(t)\right\rangle+c[/mathjaxinline],0 +2480,15064,Physics,online,"(c) Define total current [mathjaxinline]j_{tot}=j_{grav}+j_D[/mathjaxinline], find the steady state solution for [mathjaxinline]j_{tot}[/mathjaxinline] and derive the diffusion constant D. This corresponds to Einstein’s derivation.","['[mathjaxinline]D=\\frac{m g}{k_{B} T}[/mathjaxinline]', '[mathjaxinline]D=\\frac{m \\gamma}{k_{B} T}[/mathjaxinline]', '[mathjaxinline]D=\\frac{k_{B} T}{m g}[/mathjaxinline]', '[mathjaxinline]D=\\frac{k_{B} T}{m \\gamma}[/mathjaxinline]']",[mathjaxinline]D=\frac{k_{B} T}{m \gamma}[/mathjaxinline],3 +2482,15064,Physics,online,"Let us next assume a non-trivial damping force and apply the generalized FDT. Assume we study the velocity fluctuation spectrum of a mass on a spring with spring constant [mathjaxinline]k[/mathjaxinline]. The associated damping is given by the material induced, intrinsic damping force [mathjaxinline]F_{D}(\omega)= i k \phi(\omega) x(\omega) .[/mathjaxinline] This means that if an external sinusiodal force is applied to the oscillator, position [mathjaxinline]x(t)[/mathjaxinline] lags behind the force by angle [mathjaxinline]\phi(\omega),[/mathjaxinline] which is in general dependent on the frequency of excitation. (Zener proposed that in solids this angle obeys: [mathjaxinline]\phi(\omega)=\frac{\Delta \omega \tau}{1+(\omega \tau)^{2}}[/mathjaxinline] where [mathjaxinline]\tau[/mathjaxinline] is some characteristic damping time intrinsic to the material). Use the generalized fluctuation dissipation theorem to find the form of the fluctuation spectrum [mathjaxinline]S_{v v}(\omega)[/mathjaxinline] and [mathjaxinline]S_{x x}(\omega).[/mathjaxinline]","['[mathjaxinline]S_{x x}(\\omega)=\\frac{4 k T k_B \\phi(\\omega)}{\\omega\\left(\\left(k-m \\omega^{2}\\right)^{2}-(k \\phi(\\omega))^{2}\\right)}[/mathjaxinline]', '[mathjaxinline]S_{x x}(\\omega)=\\frac{4 k T k_B }{\\omega \\phi(\\omega) \\left(\\left(k-m \\omega^{2}\\right)^{2}+k ^{2}\\right)}[/mathjaxinline]', '[mathjaxinline]S_{x x}(\\omega)=\\frac{4 k T k_B \\phi(\\omega)}{\\left(k-m \\omega^{2}\\right)^{2}-(k \\phi(\\omega))^{2}} [/mathjaxinline]', '[mathjaxinline]S_{x x}(\\omega)=\\frac{4 k T k_B }{\\left(k-m \\phi(\\omega) \\omega^{2}\\right)^{2}+(k \\phi(\\omega))^{2}}[/mathjaxinline]']",[mathjaxinline]S_{x x}(\omega)=\frac{4 k T k_B \phi(\omega)}{\omega\left(\left(k-m \omega^{2}\right)^{2}-(k \phi(\omega))^{2}\right)}[/mathjaxinline],0 +2491,15064,Physics,online,"The unnormalized coherent states (or ""Bargmann states"") [mathjaxinline]\| \alpha\rangle=\sum \frac{\alpha^{n}}{\sqrt{n !}}|n\rangle[/mathjaxinline] are also used on this aspect of the subject. Find out the correct expression for such states.","['[mathjaxinline]\\left.\\left.\\hat{a} \\| \\alpha\\right\\rangle=\\frac{\\partial}{\\partial \\alpha} \\| \\alpha\\right\\rangle[/mathjaxinline]', '[mathjaxinline]\\left.\\left.\\hat{a}^{\\dagger} \\| \\alpha\\right\\rangle=\\frac{\\partial}{\\partial \\alpha^{\\dagger}} \\| \\alpha\\right\\rangle[/mathjaxinline]', '[mathjaxinline]\\left.\\left.\\hat{a} \\| \\alpha\\right\\rangle=\\frac{\\partial}{\\partial \\alpha^{\\dagger}} \\| \\alpha\\right\\rangle[/mathjaxinline]', '[mathjaxinline]\\left.\\left.\\hat{a}^{\\dagger} \\| \\alpha\\right\\rangle=\\frac{\\partial}{\\partial \\alpha} \\| \\alpha\\right\\rangle[/mathjaxinline]']",[mathjaxinline]\left.\left.\hat{a}^{\dagger} \| \alpha\right\rangle=\frac{\partial}{\partial \alpha} \| \alpha\right\rangle[/mathjaxinline],3 +2492,15064,Physics,online,"(b) Statistical mechanics predicts: [mathjaxinline]n(x)=n\left(x_{0}\right) e^{-\frac{V\left(x-x_{0}\right)}{k_{B} T}}=n\left(x_{0}\right) e^{-\frac{m g\left(x-x_{0}\right)}{k_{B} T}}[/mathjaxinline], what is the diffusive current [mathjaxinline]j_D (x)[/mathjaxinline] in this case?","['[mathjaxinline]j_{D}(x)=-D \\frac{m g}{k_{B} T} n(x)[/mathjaxinline]', '[mathjaxinline]j_{D}(x)=-\\frac{m g}{D k_{B} T} n(x)[/mathjaxinline]', '[mathjaxinline]j_{D}(x)=D \\frac{m g}{k_{B} T} n(x)[/mathjaxinline]', '[mathjaxinline]j_{D}(x)=\\frac{m g}{D k_{B} T} n(x)[/mathjaxinline]']",[mathjaxinline]j_{D}(x)=D \frac{m g}{k_{B} T} n(x)[/mathjaxinline],2 +2499,15064,Physics,online,Calculate the spectrum of velocity fluctuations [mathjaxinline]S_{v v}(\omega)[/mathjaxinline] of a harmonic oscillator of mass [mathjaxinline]m[/mathjaxinline] and velocity proportional damping [mathjaxinline]\gamma[/mathjaxinline] (i.e. [mathjaxinline] F_{D}(t)=\gamma v(t)[/mathjaxinline]). Here the adopted Fourier transform notation is [mathjaxinline]f(\omega)=\int f(t) e^{-i \omega t} dt[/mathjaxinline].,"['[mathjaxinline]S_{v v}(\\omega) = \\frac{4 k_B T \\gamma}{\\gamma^2 + m \\omega^2 - m \\omega_0^2}[/mathjaxinline]', '[mathjaxinline]S_{v v}(\\omega) = \\frac{4 k_B T \\gamma}{\\gamma^2 +(m \\omega-\\frac{m \\omega_0^2}{\\omega})^2}[/mathjaxinline]', '[mathjaxinline]S_{v v}(\\omega) = \\frac{4 k_B T \\gamma}{\\gamma^2 + (m \\omega - m \\omega_0)^2}[/mathjaxinline]', '[mathjaxinline]S_{v v}(\\omega) = \\frac{4 k_B T \\gamma^2}{\\gamma^2 +(m \\omega - m \\omega_0)^2}[/mathjaxinline]']",[mathjaxinline]S_{v v}(\omega) = \frac{4 k_B T \gamma}{\gamma^2 +(m \omega-\frac{m \omega_0^2}{\omega})^2}[/mathjaxinline],1 +2501,15064,Physics,online,"(c) Assuming that the position and the random Langevin force are statistically independent, i.e. [mathjaxinline]\left\langle F_{L}(t) x(t)\right\rangle=\left\langle F_{L}(t)\right\rangle\langle x(t)\rangle[/mathjaxinline]. For long times [mathjaxinline]t \gg m / \alpha,[/mathjaxinline] we assume that the system will reach thermodynamic equilibrium.","['[mathjaxinline]k_B T-\\alpha \\left\\langle x v \\right\\rangle[/mathjaxinline]', '[mathjaxinline]2 k_B T-\\alpha \\left\\langle v \\right\\rangle[/mathjaxinline]', '[mathjaxinline]\\frac{1}{2} k_B T-\\alpha \\left\\langle x v \\right\\rangle[/mathjaxinline]', '[mathjaxinline]k_B T-\\alpha \\left\\langle v^2 \\right\\rangle[/mathjaxinline]']",[mathjaxinline]k_B T-\alpha \left\langle x v \right\rangle[/mathjaxinline],0 +2503,15064,Physics,online,"Obtain an expression for the escape rate [mathjaxinline]r[/mathjaxinline], which is defined as the ratio of the probability current [mathjaxinline]J[/mathjaxinline] and the absolute probability [mathjaxinline]p[/mathjaxinline] to find the particle inside the well, i.e. [mathjaxinline]J=p r[/mathjaxinline].","['[mathjaxinline]r = \\frac{D}{\\left( \\int_{x_{min}}^{A} e^{ \\phi (x)}\\, dx \\right) \\left( \\int_{x_1}^{x_2} e^{- \\phi (x)}\\, dx \\right) }[/mathjaxinline]', '[mathjaxinline]r = \\frac{D}{\\left( \\int_{x_{min}}^{A} e^{ \\phi (x) /2}\\, dx \\right) \\left( \\int_{x_1}^{x_2} e^{ \\phi (x)}\\, dx \\right) }[/mathjaxinline]', '[mathjaxinline]r = \\frac{D^2}{\\left( \\int_{x_{min}}^{A} e^{ \\phi (x)/2}\\, dx \\right) \\left( \\int_{x_1}^{x_2} e^{- \\phi (x)}\\, dx \\right) }[/mathjaxinline]', '[mathjaxinline]r = \\frac{D^2}{\\left( \\int_{x_{min}}^{A} e^{ \\phi (x)}\\, dx \\right) \\left( \\int_{x_1}^{x_2} e^{ \\phi (x)}\\, dx \\right) }[/mathjaxinline]']","[mathjaxinline]r = \frac{D}{\left( \int_{x_{min}}^{A} e^{ \phi (x)}\, dx \right) \left( \int_{x_1}^{x_2} e^{- \phi (x)}\, dx \right) }[/mathjaxinline]",0 +2504,15064,Physics,online,"For a stochastic process [mathjaxinline]X(t),[/mathjaxinline] how is the Fourier transform of the auto-correlation","['[mathjaxinline]C_{X X}(\\tau)=\\int S_{X X}(\\omega) e^{i \\omega \\tau} \\frac{d \\omega}{2 \\pi}[/mathjaxinline]', '[mathjaxinline]C_{X X}(\\tau)=\\int S_{X X}(\\omega) e^{-i \\omega^2 \\tau^2} \\frac{d \\omega}{2 \\pi}[/mathjaxinline]', '[mathjaxinline]C_{X X}(\\tau)=\\int S_{X X}(\\omega) e^{-i \\omega \\tau} \\frac{d \\omega}{2 \\pi}[/mathjaxinline]', '[mathjaxinline]C_{X X}(\\tau)=\\int |S_{X X}(\\omega)| e^{-i \\omega \\tau} \\frac{d \\omega}{2 \\pi}[/mathjaxinline]']",[mathjaxinline]C_{X X}(\tau)=\int S_{X X}(\omega) e^{-i \omega \tau} \frac{d \omega}{2 \pi}[/mathjaxinline],2 +2508,15064,Physics,online,"First, assume that the particle is strongly damped and solve the simplified 1-D Fokker Planck equation with a constant probability current [mathjaxinline]J[/mathjaxinline]. With [mathjaxinline]\Phi(x)=V(x) / k_{B} T,[/mathjaxinline] what is the expression of [mathjaxinline]J(x)[/mathjaxinline]?","['[mathjaxinline]J(x, t)=-D e^{-\\Phi(x)} \\frac{d}{d x}\\left[e^{+\\Phi(x)} P(x, t)\\right][/mathjaxinline]', '[mathjaxinline]J(x, t)=-D^2 e^{-\\Phi(x)} \\frac{\\partial}{\\partial x} P(x, t)[/mathjaxinline]', '[mathjaxinline]J(x, t)=-D e^{-\\Phi(x)} \\frac{\\partial}{\\partial x} P(x, t)[/mathjaxinline]', '[mathjaxinline]J(x, t)=-D^2 e^{-\\Phi(x)} \\frac{d}{d x}\\left[e^{+\\Phi(x)} P(x, t)\\right][/mathjaxinline]']","[mathjaxinline]J(x, t)=-D e^{-\Phi(x)} \frac{d}{d x}\left[e^{+\Phi(x)} P(x, t)\right][/mathjaxinline]",0 +2511,15064,Physics,online,"Starting from the equation of motion, one can derive a driven equation of motion for each [mathjaxinline]n[/mathjaxinline], such that","['[mathjaxinline]P_{n}(t)=P_{0}(t)\\frac{e^{-n}(g t)^{n}}{n !} [/mathjaxinline]', '[mathjaxinline]P_{n}(t)=\\frac{(g t)^{n}}{e^{n}}[/mathjaxinline]', '[mathjaxinline]P_{n}(t)=P_{0}(t)\\frac{g^{n}}{n !}[/mathjaxinline]', '[mathjaxinline]P_{n}(t)=\\frac{e^{-g t}(g t)^{n}}{n !}[/mathjaxinline]']",[mathjaxinline]P_{n}(t)=\frac{e^{-g t}(g t)^{n}}{n !}[/mathjaxinline],3 +2514,15064,Physics,online,"By taking the moments of the Master equation, derive the deterministic rate equation of the evolution of the mean number of molecules (mono-mers), i.e., [mathjaxinline]\frac{d}{d t}\langle n\rangle= ?[/mathjaxinline]","['[mathjaxinline]\\frac{d}{d t}\\langle n\\rangle=K_{+} \\langle n-1 \\rangle -K_{-}\\langle n\\rangle-2 K_{D}\\langle n(n-1)\\rangle[/mathjaxinline]', '[mathjaxinline]\\frac{d}{d t}\\langle n\\rangle=K_{+} -K_{-}\\langle n\\rangle- K_{D}\\langle n(n-1)\\rangle- K_{D}\\langle n(n+1)\\rangle[/mathjaxinline]', '[mathjaxinline]\\frac{d}{d t}\\langle n\\rangle=K_{+}-K_{-}\\langle n\\rangle-2 K_{D}\\langle n(n-1)\\rangle[/mathjaxinline]', '[mathjaxinline]\\frac{d}{d t}\\langle n\\rangle=K_{+} \\langle n-1 \\rangle -K_{-}\\langle n\\rangle- K_{D}\\langle n(n-1)\\rangle- K_{D}\\langle n(n+1)\\rangle[/mathjaxinline]']",[mathjaxinline]\frac{d}{d t}\langle n\rangle=K_{+}-K_{-}\langle n\rangle-2 K_{D}\langle n(n-1)\rangle[/mathjaxinline],2 +2526,15064,Physics,online,"(e) Assume now that the particle carries a charge [mathjaxinline]q,[/mathjaxinline] and is in a homogeneous electric field [mathjaxinline]E[/mathjaxinline]. Calculate the particle's mean equilibrium velocity [mathjaxinline]\langle v\rangle_{e q}[/mathjaxinline] at long times. Derive from this the expression for the mobility, defined by [mathjaxinline]\mu=\langle v\rangle_{e q} / E .[/mathjaxinline] What is the relation between the diffusion constant and the mobility?","['[mathjaxinline]\\mu= \\frac{q}{\\alpha}[/mathjaxinline]', '[mathjaxinline]\\mu = \\frac{k_B T}{\\alpha}[/mathjaxinline]', '[mathjaxinline]\\mu = \\frac{\\alpha}{q}[/mathjaxinline]', '[mathjaxinline]\\mu =\\frac{\\alpha}{k_B T}[/mathjaxinline]']",[mathjaxinline]\mu= \frac{q}{\alpha}[/mathjaxinline],0 +2527,15064,Physics,online,"Expand the right-hand side of the recursion relation of p(nΔ,(k+1)τ). Divide the equation by time increment τ and take the limit τ→0,choose the correct diffusion equation:","['[mathjaxinline]\\frac{\\partial p(n \\Delta, k \\tau)}{\\partial t}=\\frac{\\Delta^{2}}{\\tau} \\frac{\\partial^{2}}{\\partial x^{2}} p(n \\Delta, k \\tau)[/mathjaxinline]', '[mathjaxinline]\\frac{\\partial p(n \\Delta, k \\tau)}{\\partial t}=\\frac{\\Delta^{2}}{ \\tau} \\frac{\\partial^{2}}{\\partial x^{2}} p(n \\Delta, k \\tau)+\\frac{(q-p) \\cdot \\Delta}{\\tau} \\cdot \\frac{\\partial}{\\partial x} p(n \\Delta, k \\tau)[/mathjaxinline]', '[mathjaxinline]\\frac{\\partial p(n \\Delta, k \\tau)}{\\partial t}=\\frac{\\Delta^{2}}{2 \\tau} \\frac{\\partial^{2}}{\\partial x^{2}} p(n \\Delta, k \\tau)[/mathjaxinline]', '[mathjaxinline]\\frac{\\partial p(n \\Delta, k \\tau)}{\\partial t}=\\frac{\\Delta^{2}}{2 \\tau} \\frac{\\partial^{2}}{\\partial x^{2}} p(n \\Delta, k \\tau)+\\frac{(q-p) \\cdot \\Delta}{\\tau} \\cdot \\frac{\\partial}{\\partial x} p(n \\Delta, k \\tau)[/mathjaxinline]']","[mathjaxinline]\frac{\partial p(n \Delta, k \tau)}{\partial t}=\frac{\Delta^{2}}{2 \tau} \frac{\partial^{2}}{\partial x^{2}} p(n \Delta, k \tau)+\frac{(q-p) \cdot \Delta}{\tau} \cdot \frac{\partial}{\partial x} p(n \Delta, k \tau)[/mathjaxinline]",3 +2528,15064,Physics,online,"Assuming that the dimer formation rate [mathjaxinline]K_{D}\langle n(n-1)\rangle[/mathjaxinline] is small compare to both the influx [mathjaxinline]K_{+}[/mathjaxinline] and the loss [mathjaxinline]K_{-}\langle n\rangle[/mathjaxinline] of monomers, what should be the value of [mathjaxinline]K_{-} / K_{+}[/mathjaxinline] in order to keep the fluctuations in the monomer number below, e.g. [mathjaxinline]10 \%[/mathjaxinline] ?","['[mathjaxinline]K_{-} / K_{+}<0.001[/mathjaxinline]', '[mathjaxinline]K_{-} / K_{+}<0.1[/mathjaxinline]', '[mathjaxinline]K_{-} / K_{+}<0.01[/mathjaxinline]', '[mathjaxinline]K_{-} / K_{+}<1[/mathjaxinline]']",[mathjaxinline]K_{-} / K_{+}<0.01[/mathjaxinline],2 +2531,15064,Physics,online,"Boundary conditions of the Fokker Planck equation: What will happen if the probability current [mathjaxinline]J[/mathjaxinline] vanishes at the boundaries at [mathjaxinline]x=x_{\min }[/mathjaxinline] and [mathjaxinline]x=x_{\max }?[/mathjaxinline] Find the property of probability distribution [mathjaxinline]P(x, t)[/mathjaxinline]","['[mathjaxinline]\\int_{x_{\\min }}^{x_{\\max }} P(x, t) d x= 0 [/mathjaxinline]', '[mathjaxinline]\\int_{x_{\\min }}^{x_{\\max }} P(x, t) d x=\\text {const }[/mathjaxinline]']","[mathjaxinline]\int_{x_{\min }}^{x_{\max }} P(x, t) d x=\text {const }[/mathjaxinline]",1 +2534,15064,Physics,online,Use the local Taylor expansion (to second order) in the potential [mathjaxinline]V(x) \left( \Phi(x)=V(x) / k_{B} T \right)[/mathjaxinline]. Extend the integration limits [mathjaxinline](0 . . A) to \pm \infty.[/mathjaxinline] Find out the value for integral:,"['[mathjaxinline]\\int_{x_ {\\min} }^{A} e^{ \\cdots } d x = e^{\\frac{V(x_{max} )}{k_{B} T}} \\cdot \\sqrt{\\frac{2 k_{B} T \\pi}{ \\left| V^{\\prime \\prime}\\left(x_{\\max }\\right) \\right| }}[/mathjaxinline]', '[mathjaxinline]\\int_{x_ {\\min} }^{A} e^{ \\cdots } d x = e^{\\frac{V(x_{max} )}{2 k_{B} T}} \\cdot \\sqrt{\\frac{4 k_{B} T \\pi}{ \\left| V^{\\prime \\prime}\\left(x_{\\max }\\right) \\right| }}[/mathjaxinline]']",[mathjaxinline]\int_{x_ {\min} }^{A} e^{ \cdots } d x = e^{\frac{V(x_{max} )}{k_{B} T}} \cdot \sqrt{\frac{2 k_{B} T \pi}{ \left| V^{\prime \prime}\left(x_{\max }\right) \right| }}[/mathjaxinline],0 +2636,15125,Computer Science,master,Which of the following is TRUE for Recommender Systems (RS)?,"['The complexity of the Content-based RS depends on the number of users', 'Item-based RS need not only the ratings but also the item features', 'Matrix Factorization is typically robust to the cold-start problem.', 'Matrix Factorization can predict a score for any user-item combination in the dataset.']",Matrix Factorization can predict a score for any user-item combination in the dataset.,3 +2637,15125,Computer Science,master,Which of the following properties is part of the RDF Schema Language?,"['Description', 'Type', 'Predicate', 'Domain']",Domain,3 +2639,15125,Computer Science,master,"Suppose that q is density reachable from p. The chain of points that ensure this relationship are {t,u,g,r}. Which of the following is always true?","['p is density reachable from q', 'q and p are density-connected', 'p is a border point', 'q is a core point']",q and p are density-connected,1 +2640,15125,Computer Science,master,Which of the following is an advantage of Vector Space Retrieval model?,"['No theoretical justification is needed why the model works', 'Produces provably correct query results', 'Enables ranking of query results according to cosine similarity function', 'Allows to retrieve documents that do not contain any of the query terms']",Enables ranking of query results according to cosine similarity function,2 +2641,15125,Computer Science,master,"In classification, which of the following is true regarding class imbalance?","['Classes should have the same distribution in the validation set and in the full dataset.', 'Oversampling the larger class can reduce the impact of the skewed distribution.', 'Oversampling rare classes in the testing set can reduce the impact of skewed distribution.', 'The leave-one-out methodology produces the same class distribution in the training and the testing set.']",Classes should have the same distribution in the validation set and in the full dataset.,0 +2642,15125,Computer Science,master,Which of the following is correct regarding crowdsourcing?,"['Uniform spammers randomly select answers.', 'The accuracy of majority voting is never equal to the one of Expectation Maximization.', 'Honey pots can detect uniform spammers, random spammers and sloppy workers.', 'Majority Decision and Expectation Maximization both give less weight to spammers’ answers.']","Honey pots can detect uniform spammers, random spammers and sloppy workers.",2 +2647,15125,Computer Science,master," When using bootstrapping in Random Forests, the number of different data items used to construct a single tree is:","['Smaller than the size of the training data set with high probability', 'Of order square root of the size of the training set with high probability', 'The same as the size of the training data set', 'Depends on the outcome of the sampling process, and can be both smaller or larger than the training set']",Smaller than the size of the training data set with high probability,0 +2648,15125,Computer Science,master,"To constrain an object of an RDF statement from being of an atomic type (e.g., String), one has to use the following RDF/RDFS property:","['rdf:type', 'rdfs:range', 'rdfs:domain', 'rdfs:subClassOf']",rdfs:range,1 +2651,15125,Computer Science,master,Assume we run the Louvain algorithm to find communities in the following graph. Let ΔQ(𝑖 → 𝐴) and ΔQ(𝑖 → 𝐵) denote the modularity gain of joining node 𝑖 to community 𝐴 and 𝐵 respectively. Which is true?,"['ΔQ(𝑖→𝐴)>ΔQ(𝑖→𝐵)', 'ΔQ(𝑖→𝐴)=ΔQ(𝑖→𝐵)', 'ΔQ(𝑖→𝐴)<ΔQ(𝑖→𝐵)', 'All options are possible.']",ΔQ(𝑖→𝐴)<ΔQ(𝑖→𝐵),2 +2653,15125,Computer Science,master,Full-text retrieval refers to the fact that,"['the document text is grammatically fully analyzed for indexing', 'queries can be formulated as texts', 'all words of a text are considered as potential index terms', 'grammatical variations of a word are considered as the same index terms', '']",all words of a text are considered as potential index terms,2 +2654,15125,Computer Science,master,"Assume in top-1 retrieval recommendation 1 is (2, 3, 1) and recommendation 2 is (2, 1, 3) +","['RMSE(rec 1) < RMSE(rec 2) and DCG(rec 1) > DCG(rec 2)', 'RMSE(rec 1) = RMSE(rec 2) and DCG(rec 1) > DCG(rec 2)', 'RMSE(rec 1) < RMSE(rec 2) and DCG(rec 1) = DCG(rec 2)', 'RMSE(rec 1) = RMSE(rec 2) and DCG(rec 1) = DCG(rec 2)']",RMSE(rec 1) < RMSE(rec 2) and DCG(rec 1) = DCG(rec 2),2 +2657,15125,Computer Science,master,What is a correct pruning strategy for decision tree induction?,"['Apply Maximum Description Length principle', 'Stop partitioning a node when either positive or negative samples dominate the samples of the other class', 'Choose the model that maximizes L(M) + L(M|D)', 'Remove attributes with lowest information gain']",Stop partitioning a node when either positive or negative samples dominate the samples of the other class,1 +2658,15125,Computer Science,master,In the first pass over the database of the FP Growth algorithm,"['Frequent itemsets are extracted', 'A tree structure is constructed', 'The frequency of items is computed', 'Prefixes among itemsets are determined']",The frequency of items is computed,2 +2659,15125,Computer Science,master,Which statement is false in the context of Word Embeddings?,"['Word embeddings can capture syntactic relationships among words', 'Negative samples are context words that are not part of the vocabulary of the document collection', 'Word embedding vectors can be used as document representation', 'GloVe is based on the observation that ratios of probabilities better able to distinguish relevant words from irrelevant words', 'Using the negative sampling technique, causes each training sample to update only a small percentage of the weights']",Negative samples are context words that are not part of the vocabulary of the document collection,1 +2660,15125,Computer Science,master,"In a FP tree, the leaf nodes are the ones with:","['Lowest confidence', 'Lowest support', 'Least in the alphabetical order', 'None of the above']",Lowest support,1 +2661,15125,Computer Science,master,The number of parameters of the fasttext classifier and the simple self-attention classifier,"['Are the same', 'Fasttext has more', 'Self-attention has more']",Are the same,0 +2662,15125,Computer Science,master,"Your input is ""Distributed Information Systems"". Your model tries to predict ""Distributed"" and ""Systems"" by leveraging the fact that these words are in the neighborhood of ""Information"". This model can be:","['Bag of Words', 'Word Embeddings', 'LDA', 'kNN']",Word Embeddings,1 +2663,15125,Computer Science,master,"Considering the transaction below, which one is WRONG? + +|Transaction ID |Items Bought| +|--|--| +|1|Tea| +|2|Tea, Yoghurt| +|3|Tea, Yoghurt, Kebap| +|4 |Kebap | +|5|Tea, Kebap|","['{Yoghurt} -> {Kebab} has 50% confidence', '{Yoghurt, Kebap} has 20% support', '{Tea} has the highest support', '{Yoghurt} has the lowest support among all itemsets']",{Yoghurt} has the lowest support among all itemsets,3 +2664,15125,Computer Science,master,"Which is an appropriate method for fighting skewed distributions of class labels in +classification?","['Include an over-proportional number of samples from the larger class', 'Use leave-one-out cross validation', 'Construct the validation set such that the class label distribution approximately matches the global distribution of the class labels', 'Generate artificial data points for the most frequent classes']",Construct the validation set such that the class label distribution approximately matches the global distribution of the class labels,2 +2665,15125,Computer Science,master,Which of the following statements is correct concerning the use of Pearson’s Correlation for user-based collaborative filtering?,"['It measures whether different users have similar preferences for the same items', 'It measures how much a user’s ratings deviate from the average ratings', 'It measures how well the recommendations match the user’s preferences', 'It measures whether a user has similar preferences for different items']",It measures whether different users have similar preferences for the same items,0 +2667,15125,Computer Science,master,"When representing the adjacency list of a Web page in a connectivity server by using a reference list from another Web page, the reference list is searched only in a neighboring window of the Web page's URL, because:","['Subsequent URLs in an adjacency list have typically small differences', 'Typically many URLs in a web page are similar to each other', 'Often many URLs among two pages with similar URL are similar', 'Most extra nodes are found in the neighboring window']",Often many URLs among two pages with similar URL are similar,2 +2668,15125,Computer Science,master,Which of the following are part of the RDF schema language?,"['The «\xa0type\xa0» statement for RDF resources?', 'The «\xa0domain\xa0» statement for RDF properties?', 'The «\xa0subject\xa0» statement for RDF statements?']",The « domain » statement for RDF properties?,1 +2669,15125,Computer Science,master,If retrieval system A has a higher precision at k than system B ,"['the top k documents of A will have higher similarity values than the top k documents of B', 'the top k documents of A will contain more relevant documents than the top k documents of B', 'A will recall more documents above a given similarity threshold than B', 'the top k relevant documents in A will have higher similarity values than in B', '']",the top k documents of A will contain more relevant documents than the top k documents of B,1 +2670,15125,Computer Science,master,A page that points to all other pages but is not pointed by any other page would have...,"['Zero hub', 'Nonzero pagerank', 'Nonzero authority', 'None of the above']",Nonzero pagerank,1 +2672,15125,Computer Science,master,Dude said “I like bowling”. With how many statements can we express this sentence using ​ RDF Reification?,"['We cannot', '1', '3', '5']",5,3 +2673,15125,Computer Science,master,"Regarding communities, which of the following is true?","['Modularity is a measure of how communities are connected together', 'Agglomerative algorithms recursively decompose communities into sub-communities', 'Divisive algorithms are based on modularity', 'Girvan-Newman works by removing edges with the highest betweenness measure']",Girvan-Newman works by removing edges with the highest betweenness measure,3 +2674,15125,Computer Science,master,"Consider the following set of frequent 3-itemsets: {1, 2, 3}, {1, 2, 4}, {1, 2, 5}, {1, 3, 4}, {2, 3, 4}, {2, 3, 5}, {3, 4, 5}. Which one is not a candidate 4-itemset?","['{1,2,4,5}', '{1,3,4,5} ', '{2,3,4,5}', '{1,2,3,4}']","{1,3,4,5} ",1 +2675,15125,Computer Science,master,If for the χ2 statistics for a binary feature we obtain P(χ2 | DF = 1) < 0.05 this means,"['That the two features are correlated.', 'That the class label is independent of the feature', 'That the class label correlates with the feature', 'None of the above']",That the class label correlates with the feature,2 +2676,15125,Computer Science,master,Which of the following is true in the context of inverted files?,"['Index merging compresses an inverted file index on disk and reduces the storage cost', 'The trie structure used for index construction is also used as a data access structure to terms in the vocabulary', 'The finer the addressing granularity used in documents, the smaller the posting file becomes', 'Inverted files are optimized for supporting search on dynamic text collections']",The trie structure used for index construction is also used as a data access structure to terms in the vocabulary,1 +2677,15125,Computer Science,master,"Regarding Label Propagation, which of the following is false?","['The labels are inferred using the labels that are known apriori', 'It can be interpreted as a random walk model', '\xa0Propagation of labels through high degree nodes are penalized by low abandoning probability', 'Injection probability should be higher when labels are obtained from experts than by crowdworkers']", Propagation of labels through high degree nodes are penalized by low abandoning probability,2 +2679,15125,Computer Science,master,The type statement in RDF would be expressed in the relational data model by a table,"['with one attribute', 'with two attributes', 'with three attributes', 'cannot be expressed in the relational data model']",with one attribute,0 +2680,15125,Computer Science,master,"Given graph 1→2, 1→3, 2→3, 3→2, switching from Page Rank to Teleporting PageRank will have an influence on the value(s) of:","['All the nodes', 'Node 1', 'Node 2 and 3', 'No nodes. The values will stay unchanged.']",All the nodes,0 +2681,15125,Computer Science,master,Which of the following is correct regarding schemas and ontologies?,"['An ontology is created from constructing mappings between schemas', 'Ontologies can be used for reasoning about different schemas', 'Ontologies always require a schema', 'Semi-structured data cannot have a schema']",Ontologies can be used for reasoning about different schemas,1 +2682,15125,Computer Science,master,"Given the graph 1→2, 1→3, 2→3, 3→2, switching from Page Rank to Teleporting PageRank will have an influence on the value(s) of...","['All nodes', 'Node 1', 'Nodes 2 and 3', 'No nodes; the values will stay unchanged']",All nodes,0 +2683,15125,Computer Science,master,"The number of term vactors in the matrix K_s, used for LSI","['is smaller than the number of rows in the matrix M', 'is the same as the number of the rows in the matrix M', 'is larger than the number of rows in the matrix M']",is the same as the number of the rows in the matrix M,1 +2684,15125,Computer Science,master,Which of the following is true regarding the random forest classification algorithm?,"['It is not suitable for parallelization.', 'It uses only a subset of features for learning in each weak learner.', 'We compute a prediction by randomly selecting the decision of one weak learner.', 'It produces a human interpretable model.']",It uses only a subset of features for learning in each weak learner.,1 +2685,15125,Computer Science,master,Which of the following properties is part of the RDF Schema Language?,"['Type', 'Predicate', 'Description', 'Domain']",Domain,3 +2686,15125,Computer Science,master,"If rule {A,B} -> {C} has confidence c1 and rule {A} -> {C} has confidence c2, then ","['c2 >= c1', 'c1 > c2 and c2 > c1 are both possible', 'c1 >= c2']",c1 > c2 and c2 > c1 are both possible,1 +2688,15125,Computer Science,master,Item-based collaborative filtering addresses better the cold-start problem because,"['usually there are fewer items than users', 'it uses ratings from items with similar content', 'item similarities can be pre-computed', 'none of the above']",none of the above,3 +2690,15125,Computer Science,master,"How does matrix factorization address the issue of missing ratings? +","['It uses regularization of the rating matrix', 'It performs gradient descent only for existing ratings', 'It sets missing ratings to zero', 'It maps ratings into a lower-dimensional space']",It performs gradient descent only for existing ratings,1 +2691,15125,Computer Science,master,"When constructing a word embedding, negative samples are","['word - context word combinations that are not occurring in the document collection', 'context words that are not part of the vocabulary of the document collection', 'all less frequent words that do not occur in the context of a given word', 'only words that never appear as context word']",word - context word combinations that are not occurring in the document collection,0 +2692,15125,Computer Science,master,Can documents which do not contain any keywords of the original query receive a positive similarity coefficient after relevance feedback?,"['No', 'Yes, independent of the values β and γ', 'Yes,but only if β>0', 'Yes,but only if γ>0']","Yes,but only if β>0",2 +2694,15125,Computer Science,master,"Consider the following document +d = “information retrieval and search”","['P(information search | Md) > P(information | Md)', 'P(information search | Md) = P(information | Md)', 'P(information search | Md) < P(information | Md)']",P(information search | Md) < P(information | Md),2 +2695,15125,Computer Science,master,When using matrix factorization for information extraction the entries of the matrix are obtained,"['from text', 'from a knowledge base', 'from both text and a knowledge base', 'from a knowledge base represented as text']",from both text and a knowledge base,2 +2696,15125,Computer Science,master,Which of the following tasks would typically not be solved by clustering?,"['Community detection in social networks', 'Discretization of continuous features', 'Spam detection in an email system', 'Detection of latent topics in a document collection']",Spam detection in an email system,2 +2698,15125,Computer Science,master,Which of the following is ​true ​for a density based cluster C:,"['Any two points in C must be density reachable. Each point belongs to one, and only one cluster', 'Any two points in C must be density reachable. Border points may belong to more than one cluster', 'Any two points in C must be density connected. Border points may belong to more than one cluster', 'Any two points in C must be density connected. Each point belongs to one, and only one cluster']",Any two points in C must be density connected. Border points may belong to more than one cluster,2 +2699,15125,Computer Science,master,"Given a document collection, if we change the ordering of the words in the documents, which of the following will not change?","['Singular values in Latent Semantic Indexing (LSI)', 'The entities extracted using a Hidden Markov Model (HMM)', 'The embedding vectors produced by Word2vec', 'All the previous will change']",Singular values in Latent Semantic Indexing (LSI),0 +2700,15125,Computer Science,master,"Regarding data models, which of the following is true?","['Ontologies are used to map two schemas in order to overcome semantic heterogeneity', 'Graph representation of an RDF statement facilitates exchange and storage', 'RDF is a standardized model for encoding ontologies', 'XML does not facilitate introducing new terms which are domain specific']",RDF is a standardized model for encoding ontologies,2 +2701,15125,Computer Science,master,The entries of a term-document matrix indicate,"['how many relevant terms a document contains', 'how frequent a term is in a given document', 'how relevant a term is for a given document', 'which terms occur in a document collection', '']",how relevant a term is for a given document,2 +2702,15125,Computer Science,master,Dude said “I like bowling”. With how many statements can we express this sentence using ​RDF Reification?,"['We cannot', '1', '3', '5']",5,3 +2705,15125,Computer Science,master,"Regarding TF-IDF, which of the following is true?","['The TF-IDF weight is the ratio between TF and IDF', 'The IDF term decrease the impact of stop-words', 'Frequent terms obtain low TF score', 'The TF term is computed over the whole document collection']",The IDF term decrease the impact of stop-words,1 +2706,15125,Computer Science,master,"From which data samples the embeddings are learnt? +","['Known embeddings for (w,c) pairs', 'Frequency of occurrences of (w,c) pairs in the document collection', 'Approximate probabilities of occurrences of (w,c) pairs', 'Presence or absence of (w,c) pairs in the document collection']","Presence or absence of (w,c) pairs in the document collection",3 +2709,15125,Computer Science,master,"Thang, Jeremie and Tugrulcan have built their own search engines. For a query Q, they got precision scores of 0.6, 0.7, 0.8 respectively. Their F1 scores (calculated by same parameters) are same. Whose search engine has a higher recall on Q?","['Thang', 'Jeremie', 'Tugrulcan', 'We need more information']",Thang,0 +2711,15125,Computer Science,master,"Let the Boolean query be represented by {(1, 0, -1), (0, -1, 1)} and the document by (1, 0, 1). The document ","['matches the query because it matches the first query vector', 'matches the query because it matches the second query vector', 'does not match the query because it does not match the first query vector', 'does not match the query because it does not match the second query vector']",matches the query because it matches the second query vector,1 +2712,15125,Computer Science,master,"Which of the following functions is not equal to the three others? +","['𝑓(𝑤,𝑐)', '𝑓_𝜃 (𝑤,𝑐)', '𝒇(𝒘,𝒄)', 'σ(𝒄∙𝒘)']","𝑓(𝑤,𝑐)",0 +2713,15125,Computer Science,master,"In general, what is true regarding Fagin's algorithm?","['It performs a complete scan over the posting files', 'It provably returns the k documents with the largest aggregate scores', 'Posting files need to be indexed by the TF-IDF weights', 'It never reads more than (kn)½ entries from a posting list']",It provably returns the k documents with the largest aggregate scores,1 +2714,15125,Computer Science,master,What is a correct pruning strategy for decision tree induction? ,"['Apply Maximum Description Length principle', 'Stop partitioning a node when either positive or negative samples dominate the samples of the other class.', 'Choose the model that maximizes L(M) + L(M|D)\xa0', 'Remove attributes with lowest information gain.\xa0']",Stop partitioning a node when either positive or negative samples dominate the samples of the other class.,1 +2715,15125,Computer Science,master,"Regarding features engineering, which of the following is wrong?","['Supervised discretization can merge any two intervals of the same variable', 'Classifiers can be sensitive to the absolute scale of the variables', 'Features filtering consider single variables, whereas wrapping considers features combinations', 'Standardisation can produce arbitrarily large values whereas scaling does not']",Supervised discretization can merge any two intervals of the same variable,0 +2716,15125,Computer Science,master,Which of the following statements is correct in the context of  information extraction?,"['A confidence measure that prunes too permissive patterns discovered with bootstrapping can help reducing semantic drift', 'The bootstrapping technique requires a dataset where statements are labelled', 'Distant supervision typically uses low-complexity features only, due to the lack of training data', 'For supervised learning, sentences in which NER has detected no entities are used as negative samples']",A confidence measure that prunes too permissive patterns discovered with bootstrapping can help reducing semantic drift,0 +2717,15125,Computer Science,master,"Given the 2-itemsets {1,2}, {1,5}, {2,5}, {1,4}, {1,3}, when generating the 3-itemsets we +will","['Generate 5 3-itemsets after the join and 2 3-itemsets after the prune', 'Generate 6 3-itemsets after the join and 1 3-itemsets after the prune', 'Generate 4 3-itemsets after the join and 1 3-itemsets after the prune', 'Generate 4 3-itemsets after the join and 2 3-itemsets after the prune']",Generate 6 3-itemsets after the join and 1 3-itemsets after the prune,1 +2718,15125,Computer Science,master,Which year Rocchio published his work on relevance feedback?,"['1965', '1975', '1985', '1995']",1965,0 +2719,15125,Computer Science,master,Which of the following is true when comparing Vector Space Model (VSM) and Probabilistic Language Model (PLM)?,"['Both VSM and PLM require parameter tuning', 'Both VSM and PLM use collection frequency in the model', 'Both VSM and PLM take into account multiple term occurrences', 'Both VSM and PLM are based on a generative language model']",Both VSM and PLM take into account multiple term occurrences,2 +2723,15125,Computer Science,master,In vector space retrieval each row of the matrix M corresponds to,"['A document', 'A concept', 'A query', 'A term']",A term,3 +2724,15125,Computer Science,master,"The most important difference between Glove and skipgram is +","['That Glove considers the complete context of a word', 'That Glove computes a global frequency for word-context pair occurrences', 'That Glove uses a squared error loss function', 'That Glove does not differentiate words and context words', '']",That Glove computes a global frequency for word-context pair occurrences,1 +2725,15125,Computer Science,master,Which of the following is correct regarding prediction models?,"['Training error being less than test error means overfitting', 'Training error being less than test error means underfitting', 'Complex models tend to overfit, unless we feed them with more data', 'Simple models have lower bias than complex models']","Complex models tend to overfit, unless we feed them with more data",2 +2726,15125,Computer Science,master,Which of the following is TRUE when comparing Vector Space Model (VSM) and Probabilistic Language Model (PLM)? (Slide 73 Week 2),"['Both VSM and PLM require parameter tuning', 'Both VSM and PLM use collection frequency in the model', 'Both VSM and PLM take into account multiple term occurrences', 'Both VSM and PLM are based on a generative language model']",Both VSM and PLM take into account multiple term occurrences,2 +2727,15125,Computer Science,master,Which of the following is TRUE regarding community detection?,"['The high betweenness of an edge indicates that the communities are well connected by that edge', 'The Girvan-Newman algorithm attempts to maximize the overall betweenness measure of a community graph', 'The high modularity of a community indicates a large difference between the number of edges of the community and the number of edges of a null model', 'The Louvain algorithm attempts to minimize the overall modularity measure of a community graph']",The high modularity of a community indicates a large difference between the number of edges of the community and the number of edges of a null model,2 +2728,15125,Computer Science,master,A query transformed into the concept space of LSI has,"['s components (number of singular values)', 'm components (size of vocabulary)', 'n components (number of documents)']",s components (number of singular values),0 +2729,15125,Computer Science,master,Applying SVD to a term-document matrix M. Each concept is represented in K,"['as a singular value', 'as a linear combination of terms of the vocabulary', 'as a linear combination of documents in the document collection', 'as a least squares approximation of the matrix M']",as a linear combination of terms of the vocabulary,1 +2730,15125,Computer Science,master,An HMM model would not be an appropriate approach to identify,"['Named Entities', 'Part-of-Speech tags', 'Concepts', 'Word n-grams']",Word n-grams,3 +2732,15125,Computer Science,master,Which of the following is NOT an (instance-level) ontology?,"['Wordnet', 'WikiData', 'Schema.org', 'Google Knowledge Graph']",Schema.org,2 +2733,15125,Computer Science,master,"Given the following teleporting matrix (Ε) for nodes A, B and C: +[0 1⁄2 0] +[0 0 0] +[0 1⁄2 1] +and making no assumptions about the link matrix (R), which of the following is correct:","['A random walker can never reach node A', 'A random walker can never leave node A', 'A random walker can always leave node C', 'A random walker can always leave node B']",A random walker can always leave node B,3 +2735,15052,Life Sciences Engineering,online,"4. If a channel is open, ions can ...flow from the surround into the cell.flow from inside the cell into the surrounding liquid.","['flow from the surround into the cell.', 'flow from inside the cell into the surrounding liquid.']",flow from the surround into the cell.,0 +2738,15041,Computer Science,bachelor,"We want to change the feature matrix $\mathbf{X}$ ($N\times f$) to account for the bias term; how do we obtain a new matrix $\mathbf{\Tilde{X}}$, such that $\mathbf{y} = \mathbf{Xw} + \mathbf{b} = \mathbf{\Tilde{X}\Tilde{w}}$? Note: N stands for number of individuals, and f number of features. $\mathbf{\Tilde{w}}$ is changed accordingly to the answer. (One or multiple answers)","[""We can add a row of 1's to the top of matrix $\\mathbf{X}$"", ""We can add a column of 0's to the left of matrix $\\mathbf{X}$"", ""We can add a row of 0's to the bottom of matrix $\\mathbf{X}$"", ""We can add a column of 1's to the right of matrix $\\mathbf{X}$""]",We can add a column of 1's to the right of matrix $\mathbf{X}$,3 +2740,15041,Computer Science,bachelor,"How do you compute the output Y of a linear regression using Python and the scientific package Numpy? Recall that W is the weight matrix with dimensionality (number of features x 1), b is the bias with dimensionality (1 x 1) and X is the input matrix with dimensionality (number of samples x number of features). Notation of matrix dimensions: (Rows $\times$ Columns) (One answer)","['\\texttt{import numpy as np} \\\\\n\t\t\\texttt{Y = X.T.dot(W) + b}', '\\texttt{import numpy as np} \\\\\n\t\t\\texttt{Y = X.dot(W) + b}', '\\texttt{import numpy as np} \\\\\n\t\t\\texttt{Y = W.dot(X) + b}', '\\texttt{import numpy as np} \\\\\n\t\t\\texttt{Y = (W +b).dot(X)}']","\texttt{import numpy as np} \\ + \texttt{Y = X.dot(W) + b}",1 +2741,15041,Computer Science,bachelor,"Suppose your training set for two-class classification in one dimension ($d=1$ ; $x_i\in R$) contains three sample points: point $x_1 = 3$ with label $y_1 = 1$, point $x_2 = 1$ with label $y_2 = 1$, and point $x_3 = -1$ with label $y_3 = -1$. What are the values of w and b given by a hard-margin SVM?","['$w=1$, $b=1$', '$w=0$, $b=1$', '$w=1$, $b=0$', '$w=\\infty$, $b=0$']","$w=1$, $b=0$",2 +2743,15041,Computer Science,bachelor,What is our final goal in machine learning? (One answer),"[' Generalize ', ' Underfit', ' Overfit ', ' Megafit ']", Generalize ,0 +2744,15041,Computer Science,bachelor,"What is the mean squared error of $f$ for a sample, where $\textbf{x}$ is an input, $y$ a target and $f(\textbf{x},W)$ the mapping function ? +(One answer)","[' $||y - f(\\textbf{x},W)||^2 $ ', ' $||y - f(\\textbf{x},W)|| $', ' $-\\log(P(y=i | \\textbf{x})) = -\\log(\\frac{e^{\\textbf{f}_i(\\textbf{x},W)}}{\\sum_j e^{\\textbf{f}_j(\\textbf{x},W)}})$ ', ' $P(y=i |\\textbf{x}) = \\frac{e^{\\textbf{f}_i(\\textbf{x},W)}}{\\sum_j e^{\\textbf{f}_j(\\textbf{x},W)}}$ ']"," $||y - f(\textbf{x},W)||^2 $ ",0 +2747,15041,Computer Science,bachelor,"A model predicts $\mathbf{\hat{y}} = [1, 0, 1, 1, 1]$. The ground truths are $\mathbf{y} = [1, 0, 0, 1, 1]$. + +What is the accuracy?","['0.5', '0.75', '0.8', '0.875']",0.8,2 +2748,15041,Computer Science,bachelor,K-Means:,"['always converges to the same solution, no matter the initialization', 'always converges, but not always to the same solution', ""doesn't always converge"", 'can never converge']","always converges, but not always to the same solution",1 +2749,15041,Computer Science,bachelor,Regularization term:,"['a term in the activation function to read the impact of features in our model', 'a constraint in the loss function, to maximize the amplitude of weights and help increase degeneracy', 'a constraint in the loss function, to minimize the amplitude of weights and help reduce degeneracy', 'an added hand-chosen term in the feature space to regularize the model output']","a constraint in the loss function, to minimize the amplitude of weights and help reduce degeneracy",2 +2750,15041,Computer Science,bachelor,The k-means algorithm for clustering is guaranteed to converge to a local optimum.,"['TRUE', 'FALSE']",TRUE,0 +2751,15041,Computer Science,bachelor,What is the algorithm to perform optimization with gradient descent? Actions between Start loop and End loop are performed multiple times. (One answer),"['1 Start loop, 2 Initialize weights, 3 Compute gradients, 4 Update weights, 5 End loop', '1 Initialize weights, 2 Compute gradients, 3 Start loop, 4 Update weights, 5 End loop', '1 Initialize weights, 2 Start loop, 3 Update weights, 4 End loop, 5 Compute gradients ', '1 Initialize weights, 2 Start loop, 3 Compute gradients, 4 Update weights, 5 End Loop']","1 Initialize weights, 2 Start loop, 3 Compute gradients, 4 Update weights, 5 End Loop",3 +2753,15041,Computer Science,bachelor,The training loss of the 1-nearest neighbor classifier is always zero.,"['TRUE', 'FALSE']",TRUE,0 +2754,15041,Computer Science,bachelor,The test loss of the 1-nearest neighbor classifier is always zero.,"['TRUE', 'FALSE']",FALSE,1 +2755,15041,Computer Science,bachelor,The test loss of logistic regression is always zero.,"['TRUE', 'FALSE']",FALSE,1 +2756,15041,Computer Science,bachelor,"You are using a fully-connected neural net with 2 input units, 1 hidden layers of 10 units, and an output layer of 1 unit, with ReLU activations. + \\ + How many trainable parameters does your network have?","['13', '33', '30', '41', '21']",41,3 +2759,15041,Computer Science,bachelor,"You want to build a convolutional neural network to distinguish between types of cars in images. Your friend Alice, a biologist, has been working on a network to classify wildlife, which she calls WildNet. She spent several weeks training that network, and made it accessible to you. What can you do with it?","['Nothing, wildlife is not the same as cars.', ""I can't reuse any of the weights of any layer, but I can take inspiration from the architecture of WildNet."", 'I can freeze the last few layers, and then remove the early layers and replace it with my own re-learned layers. That way, I can make use of the generic features learned by WildNet.', 'I can freeze the early layers, and then remove the last layers and replace it with my own re-learned layers. That way, I can make use of the generic features learned by WildNet.', 'I can use WildNet right away for my task, without modifying anything.']","I can freeze the early layers, and then remove the last layers and replace it with my own re-learned layers. That way, I can make use of the generic features learned by WildNet.",3 +2760,15041,Computer Science,bachelor,"Whenever I want to use Z-Score standardization (also known as normalization), I should use the mean and standard deviation of the training set to normalize my training, validation, and test set.","['TRUE', 'FALSE']",TRUE,0 +2761,15041,Computer Science,bachelor,"For logistic regression, what is the dimensionality of the weight matrix (ignoring bias)? Notation of matrix dimensions: (Rows $\times$ Columns) (One answer!!!!)","['(number of training samples $\\times$ number of classes)', '(number of features $\\times$ number of classes)', '(number of training samples $\\times$ number of features)', '(number of features $\\times$ number of training epochs)']",(number of features $\times$ number of classes),1 +2762,15041,Computer Science,bachelor,"Heidi is working on some linear regression problem to predict the price of goat milk. When training her model, she gets a loss of 0. Which of the statements below \textbf{must then be true}?","['We must have $y^{(i)} = 0 \\ \\ \\forall \\ i \\in \\{1, ..., N\\}$', 'The weights $\\mathbf{w}$ must all be 0 so that $\\hat{y}^{(i)} = \\mathbf{w}^T \\boldsymbol{x}^{(i)} = 0.$', 'Our training set can be fit perfectly by a hyperplane (e.g., fit perfectly by a straight line if our data is 2-dimensional).', 'Gradient descent is stuck at a local minima and fails to find the true global minimum.']","Our training set can be fit perfectly by a hyperplane (e.g., fit perfectly by a straight line if our data is 2-dimensional).",2 +2764,15041,Computer Science,bachelor,"What is the mean squared error of $f$ for a sample, where $\textbf{x}$ is an input, $y$ a target and $f(\textbf{x},W)$ the mapping function ? + (One answer)","[' $||y - f(\\textbf{x},W)||^2 $ ', ' $||y - f(\\textbf{x},W)|| $', ' $-\\log(P(y=i | \\textbf{x})) = -\\log(\\frac{e^{\\textbf{f}_i(\\textbf{x},W)}}{\\sum_j e^{\\textbf{f}_j(\\textbf{x},W)}})$ ', ' $P(y=i |\\textbf{x}) = \\frac{e^{\\textbf{f}_i(\\textbf{x},W)}}{\\sum_j e^{\\textbf{f}_j(\\textbf{x},W)}}$ ']"," $||y - f(\textbf{x},W)||^2 $ ",0 +2765,15041,Computer Science,bachelor,"In Support Vector Machines (SVM), we want to maximize the margin","['TRUE', 'FALSE']",TRUE,0 +2766,15041,Computer Science,bachelor,Dan has been working with decision trees. His friend Eve recommends using random forests instead. What is most likely to happen?,"['Accuracy will increase, interpretability will increase', 'Accuracy will increase, interpretability will decrease', 'Accuracy will decrease, interpretability will increase', 'Accuracy will decrease, interpretability will decrease']","Accuracy will increase, interpretability will decrease",1 +2769,15041,Computer Science,bachelor,One-hot encoding:,"['encode a state or category, with a group of bits whose unique representation is with a single high (1) and others low (0). ', 'encode continuous values into a unique temperature representation between 0 and 1.', 'encode a state or category, with a group of bits whose unique representation is with a single low (0) and others high (1).', 'encode continuous values into unique multi-dimensional temperature representations between 0 and 1 ']","encode a state or category, with a group of bits whose unique representation is with a single high (1) and others low (0). ",0 +2771,15041,Computer Science,bachelor,How to computationally think? Pick the correct order of the 5 pillars seen in class. (One answer),"['1 Action, 2 Learning, 3 Perception, 4 Sensing, 5 Communication', '1 Learning, 2 Sensing, 3 Perception, 4 Action, 5 Communication', '1 Perception, 2 Communication, 3 Learning, 4 Action, 5 Sensing ', '1 Sensing, 2 Perception, 3 Learning, 4 Communication, 5 Action']","1 Sensing, 2 Perception, 3 Learning, 4 Communication, 5 Action",3 +2772,15041,Computer Science,bachelor,Feature degeneracy:,"['when a set of variables in the feature space are not linearly independent', 'when a set of variables in the feature space create chaotic results', 'when a set of variables in the feature space have low impact on the output space', 'when a point in output space can be obtained by one and only one set of variables in the feature space.']",when a set of variables in the feature space are not linearly independent,0 +2773,15041,Computer Science,bachelor,You write a Python code to optimize the weights of your linear regression with 10 features \textbf{using gradient descent} for 500 epochs. What is the minimum number of for-loops you need to perform your optimization?,"['Two for-loops, one to iterate over the weights and the other to iterate over the epochs', 'Only one for-loop to iterate over the epochs.', 'Only one for-loop to iterate over the weights.', 'No for-loop is really necessary. Everything can be vectorized']",Only one for-loop to iterate over the epochs.,1 +2774,15041,Computer Science,bachelor,"The feature ``deck structure type'' can have the following values: + Cast-in-place Concrete, + Concrete Precast Panel, + Open Grating, + Closed Grating, + Steel plate, + Corrugated Steel, + Aluminum and + Timber. + For logistic regression, what is the best encoding for these values? (One or multiple answers)","['assign an integer to each option', 'one-hot encoding', 'polynomial encoding', 'logistic regression does not require an encoding']",one-hot encoding,1 +2777,15041,Computer Science,bachelor,Categorical Cross-Entropy loss:,"['Minimizing the distance between the predicted point and the true point', 'Maximizing the probability of the correct class', 'Minimizing the score of false classes when they are close, or bigger than, the score of the true class', 'Maximizing the accuracy']",Maximizing the probability of the correct class,1 +2778,15041,Computer Science,bachelor,"Fill the missing line of code: (one answer)\\ + \hspace*{.5cm} \#code missing\\ + \hspace*{.5cm} np.mean(np.random.randn(1000))\\","['import np', 'import numpy', 'import numpy as np', 'import np.mean\\\\\n\t\timport np.random']",import numpy as np,2 +2781,15041,Computer Science,bachelor,How do you split your data? (One or multiple answers),"['60\\% of the oldest bridges into training, the next 20\\% into validation and the newest 20\\% of bridges into the test set', 'randomly sample with a $60\\%:20\\%:20\\%$ split for training, validation and test set', 'use steel bridges for training and concrete bridges for the test set', 'use long bridges for training and short bridges for the test set']","randomly sample with a $60\%:20\%:20\%$ split for training, validation and test set",1 +2782,15041,Computer Science,bachelor,The training loss of logistic regression is always zero.,"['TRUE', 'FALSE']",FALSE,1 +2784,15041,Computer Science,bachelor,"Consider these two convolutional layers: + + Layer A: Uses kernel of size $3 \times 3$, has $K$ output channels, and is applied to a 3-channel image of height $H$ and width $W$. + + Layer B: Uses kernel of size $3 \times 3$, has $K$ output channels, and is applied to a 1-channel image of height $4H$ and width $4W$. + + Let $a$ be the number of trainable parameters of layer A, and $b$ be the number of trainable parameters of layer B. Which statement is true?","['$a < b < 2a$', '$2a < b$', 'b$ < a < 2b$', '$2b < a$']",$2b < a$,3 +2786,15041,Computer Science,bachelor,"What is the output of the following block of Python code? (one answer) \\ +\verb|my_string = `computational'| \\ +\verb|print(my_string[1])|\\ +\verb|print(my_string[3:5])| +\vspace{0.25cm}","['c\\\\mpu', 'c\\\\mp', 'o\\\\put', 'o\\\\pu']",o\\pu,3 +2789,15041,Computer Science,bachelor,Polynomial features:,"['categorical values or names in the target space $y$', 'multiple name variables added to the feature space $\\mathbf{X}$ ', 'polynomial combinations of weights $\\mathbf{w}$ added into the output prediction space $\\hat{y}$', 'polynomial expressions of available variables added to the input space $\\mathbf{X}$']",polynomial expressions of available variables added to the input space $\mathbf{X}$,3 +2790,15041,Computer Science,bachelor,Hinge loss:,"['Minimizing the distance between the predicted point and the true point', 'Maximizing the probability of the correct class', 'Minimizing the score of false classes when they are close, or bigger than, the score of the true class', 'Maximizing the accuracy']","Minimizing the score of false classes when they are close, or bigger than, the score of the true class",2 +2793,15041,Computer Science,bachelor,The output of the sigmoid function is never greater than one.,"['TRUE', 'FALSE']",TRUE,0 +2794,15041,Computer Science,bachelor,"You are using a 3-layer fully-connected neural net with \textbf{ReLU activations}. Your input data has components in [0, 1]. \textbf{You initialize all your weights to -10}, and set all the bias terms to 0. You start optimizing using SGD. What will likely happen?","['The gradient is 0 so nothing happens', ""The gradient is very large so the model can't converge"", 'Training is fine, but our neural net does only as well as a linear model', 'Everything is fine']",The gradient is 0 so nothing happens,0 +2795,15041,Computer Science,bachelor,"You are working on a dataset with lots of outliers, and want to perform a regression task. Everything else being equal, and assuming that you do not do any pre-processing, which loss function will be less affected by these outliers?","['$\\mathcal{L}(y, \\hat{y})= (y - \\hat{y})^2$ (MSE)', '$\\mathcal{L}(y, \\hat{y})= |y - \\hat{y}|$ (MAE)']","$\mathcal{L}(y, \hat{y})= |y - \hat{y}|$ (MAE)",1 +2798,15041,Computer Science,bachelor,"If x is input variables and y are output predictions, what is the most useful setup to predict optimal traffic lights control well in advance: +(one answer)","[' x: \\{weather, time, date, accidents, constructions, bus timetable\\}\\\\ y: \\{vehicle density, pedestrian density, bike density\\} ', ' x: \\{pedestrian density, bike density\\}\\\\ y: \\{vehicle density\\} ', ' x: \\{vehicle density, pedestrian density, bike density\\}\\\\ y: \\{bus timetable\\} ', ' x: \\{weather, time, date, pedestrian density, bike density \\}\\\\ y: \\{vehicle density, accidents, constructions,\\} ']"," x: \{weather, time, date, accidents, constructions, bus timetable\}\\ y: \{vehicle density, pedestrian density, bike density\} ",0 +2799,15041,Computer Science,bachelor,"For logistic regression, what is the best encoding for the feature ``span'' which is the length of the bridge in meters? (One answer!!!!!!)","['round to full meters', 'find appropriate bins and use one-hot encoding', 'find appropriate bins and use polynomial encoding', 'logistic regression does not require an encoding']",find appropriate bins and use one-hot encoding,1 +2800,15041,Computer Science,bachelor,A model you trained seems to be overfitting. You decide to significantly increase the strength of the regularization. This will always improve the test error.,"['TRUE', 'FALSE']",FALSE,1 +2801,15041,Computer Science,bachelor,"You are using a 3-layer fully-connected neural, and you are using \textbf{$f(x) = 2x$ as your activation function} . Your input data has components in [0, 1]. \textbf{You initialize your weights using Kaiming (He) initialization}, and set all the bias terms to 0. You start optimizing using SGD. What will likely happen?","['The gradient is 0 so nothing happens', ""The gradient is very large so the model can't converge"", 'Training is fine, but our neural net does only as well as a linear model', 'Everything is fine']","Training is fine, but our neural net does only as well as a linear model",2 +2802,15041,Computer Science,bachelor,"What is a good representation for scores when classifying these three target classes: Car, Bike and Bus, in the context of logistic regression. (One or multiple answers)","['{Car: $(0,1,0)$,} {Bike: $(1,0,0)$,} {Bus: $(0,0,1)$}', '{Car: $(0,1)$,} {Bike: $(1,0)$,} {Bus: $(1,1)$}', '{Car: $1$,} {Bike: $2$,} {Bus: $3$}', '{Car: $(0,1)$,} {Bike: $(1,0)$,} {Bus: $(0.5,0.5)$}']","{Car: $(0,1,0)$,} {Bike: $(1,0,0)$,} {Bus: $(0,0,1)$}",0 +2804,15041,Computer Science,bachelor,"What is an appropriate loss function for classification, where $\textbf{x}$ is an input, $y$ a target and $f(\textbf{x},W)$ the mapping function ? (One answer)","[' $||y - f(\\textbf{x},W)||^2 $ ', ' $||y - f(\\textbf{x},W)|| $', ' $-\\log(P(y=i | \\textbf{x})) = -\\log(\\frac{e^{\\textbf{f}_i(\\textbf{x},W)}}{\\sum_j e^{\\textbf{f}_j(\\textbf{x},W)}})$ ', ' $\\min(0, |y|, |$\\textbf{x}$|, |f|)$ ']"," $-\log(P(y=i | \textbf{x})) = -\log(\frac{e^{\textbf{f}_i(\textbf{x},W)}}{\sum_j e^{\textbf{f}_j(\textbf{x},W)}})$ ",2 +2805,15041,Computer Science,bachelor,$L_1$ regularization often results in sparser solutions than $L_2$ regularization.,"['TRUE', 'FALSE']",TRUE,0 +2807,15041,Computer Science,bachelor,"Alice has been working on a classification problem, and has been using the binary cross-entropy loss function, defined as: $\mathcal{L}_{\text{BCE}}(\mathbf{y}, \mathbf{\hat{y}})=- \frac{1}{N}\sum^{N}_{i=1} y^{(i)} \log(\hat{y}^{(i)}) + (1-y^{(i)}) \log(1- \hat{y}^{(i)})$.\\ + + Despite trying many models, she hasn't been able to reduce the training loss. Her friend Frank suggests using a new loss function he invented, which he proudly calls the ""Frank Loss"", defined as: $\mathcal{L}_{\text{Frank}}(\mathbf{y}, \mathbf{\hat{y}})= -e^{-1} + \mathcal{L}_{\text{BCE}}(\mathbf{y}, \mathbf{\hat{y}})$. + After switching to the Frank loss, Alice notices that the training loss is immediately lower! How will that affect the training accuracy?","['The training accuracy will increase.', 'The training accuracy will decrease.', 'The training accuracy will stay the same.', 'It is impossible to say without more information.']",The training accuracy will stay the same.,2 +2810,15041,Computer Science,bachelor,Mean Square Error loss:,"['Minimizing the distance between the predicted point and the true point', 'Maximizing the probability of the correct class', 'Minimizing the score of false classes when they are close, or bigger than, the score of the true class', 'Maximizing the accuracy']",Minimizing the distance between the predicted point and the true point,0 +2811,15041,Computer Science,bachelor,"You need to debug your Stochastic Gradient Descent update for a classification of three bridge types. + Manually compute the model output for the feature vector $x=(1, 0, 0, 0, 0)$ and $W$ contains only zeros. The model is logistic regression, \textit{i.e.}, $\textrm{softmax}(Wx)$. + Remember: + \begin{equation} + \textrm{softmax}_i(s) = \frac{e^{s_i}}{\sum_k e^{s_k}} + \end{equation} + (One answer!!!!!!)","['$(0, 0, 0)$', '$(\\frac{1}{3}, \\frac{1}{3}, \\frac{1}{3})$', '$(0, 0, 0, 0, 0)$', '$(\\frac{1}{5}, \\frac{1}{5}, \\frac{1}{5}, \\frac{1}{5}, \\frac{1}{5})$']","$(\frac{1}{3}, \frac{1}{3}, \frac{1}{3})$",1 +2813,15041,Computer Science,bachelor,"Consider the following PyTorch code: + + class ThreeLayerNet (nn.Module): + def __init__(): + super().__init__() + + def forward(x): + x = nn.Linear(100, 10)(x) + x = nn.ReLU()(x) + x = nn.Linear(10, 200)(x) + x = nn.ReLU()(x) + x = nn.Linear(200, 1)(x) + return x + + + Suppose that inputs are 100-dimensional, and outputs are 1-dimensional. What will happen if we try to train this network?","['There will be an error because we are re-using the variable x throughout the forward() method.', 'There will be an error because the second layer has more neurons than the first. The number of neurons must never increase from one layer to the next.', 'The model will not train properly. The performance will be the same at the beginning of the first epoch and at the end of the last epoch.', 'Everything is fine.']",The model will not train properly. The performance will be the same at the beginning of the first epoch and at the end of the last epoch.,2 +2817,15041,Computer Science,bachelor,"You are using a 3-layer fully-connected neural net with \textbf{ReLU activations}. Your input data has components in [0, 1]. \textbf{You initialize your weights by sampling from $\mathcal{N}(-10, 0.1)$ (Gaussians of mean -10 and variance 0.1)}, and set all the bias terms to 0. You start optimizing using SGD. What will likely happen?","['The gradient is 0 so nothing happens', ""The gradient is very large so the model can't converge"", 'Training is fine, but our neural net does only as well as a linear model', 'Everything is fine']",The gradient is 0 so nothing happens,0 +2818,15041,Computer Science,bachelor,Increasing the depth of a decision tree cannot increase its training error.,"['TRUE', 'FALSE']",TRUE,0 +2826,15041,Computer Science,bachelor,"For logistic regression, how many score functions do you need to predict? (One or multiple answers)","['number of training samples', 'number of bridge types', 'number of test samples', 'number of features']",number of bridge types,1 +2827,15041,Computer Science,bachelor,"For logistic regression, which type of activation function do you use? (One or multiple answers)","['sigmoid', 'softmax', 'tanh', 'softplus']",softmax,1 +2829,15041,Computer Science,bachelor,We saw in class that we can quickly decrease the spatial size of the representation using pooling layers. Is there another way to do this without pooling?,"['Yes, by increasing the amount of padding.', 'Yes, by increasing the stride.', 'Yes, by increasing the number of filters.', 'No, pooling is necessary.']","Yes, by increasing the stride.",1 +2830,15041,Computer Science,bachelor,"The \textbf{parameters} (weights \textbf{W}) are learned with ... +(One answer)","[' training ', ' validation ', ' test ', ' all the data together ']", training ,0 +2831,15041,Computer Science,bachelor,"The \textbf{hyperparameters} are learned with ... +(One answer)","[' training ', ' validation ', ' test ', ' all the data together ']", validation ,1 +2832,15041,Computer Science,bachelor,"We report the final performance (e.g., accuracy) on the ... +(One answer)","[' training ', ' validation ', ' test ', ' all the data together ']", test ,2 +2833,15041,Computer Science,bachelor,"Applying logarithmic scaling is useless if we use Z-Score standardization (also known as normalization) afterwards, as the standardization will undo the effects of the scaling.","['TRUE', 'FALSE']",FALSE,1 +2834,15041,Computer Science,bachelor,"When using linear regression, what can cause numerical instabilities? (One or multiple answers)","['learning rate too small', 'degeneracies in the features', 'too much training data', 'too little training data']",degeneracies in the features,1 +2835,15100,Life Sciences Engineering,online,In the defintion of the energy [mathjaxinline] E(t) [/mathjaxinline] (second equation) terms are summed over all pre- and post- synaptic neurons [mathjaxinline] i [/mathjaxinline] and [mathjaxinline] j [/mathjaxinline]. We can rewrite that sum such that the contribution of neuron [mathjaxinline] k [/mathjaxinline] to the total energy [mathjaxinline] E [/mathjaxinline] appears explicitly. How does it look like after this?,"['[mathjaxinline] E(t) = \\sum_{i\\neq k}^N \\sum_{j \\neq k}^N w_{ij} S_i (t)S_j(t) [/mathjaxinline]', '[mathjaxinline] E(t) = -\\sum_i^N w_{ik} S_i S_k [/mathjaxinline]', '[mathjaxinline] E(t) = -2S_k(t)\\sum_j^N w_{kj} S_j(t) -\\sum_{i\\neq k}^N \\sum_{j \\neq k}^N w_{ij} S_i (t)S_j(t) [/mathjaxinline]']",[mathjaxinline] E(t) = -2S_k(t)\sum_j^N w_{kj} S_j(t) -\sum_{i\neq k}^N \sum_{j \neq k}^N w_{ij} S_i (t)S_j(t) [/mathjaxinline],2 +2859,15047,Life Sciences Engineering,online,1. Which of the following propositions about ion assisted deposition (IAD) and ion beam assisted deposition (IBAD) are correct?,"['The IAD technique cannot be used prior to deposition for substrate cleaning', 'The IBAD technique cannot be used during deposition for improving film adhesion', 'The IBAD technique can be used during deposition for improving film thickness uniformity', 'The IBAD technique generates ions in the evaporation chamber']",The IBAD technique can be used during deposition for improving film thickness uniformity,2 +2860,15047,Life Sciences Engineering,online,"In a so-called lift-off process, a gold film is deposited by PVD on a patterned resist layer. Which of the following proposition is correct?","['An e-beam evaporator should be used because the boiling point of gold is too high for a resistive-heating evaporator', 'Sputtering is better suited than thermal evaporation for an application such as lift-off', 'An evaporator with a large source-substrate distance should be used for line of sight deposition', 'Using a rotating planetary system is required in order to have good step coverage']",An evaporator with a large source-substrate distance should be used for line of sight deposition,2 +2861,15047,Life Sciences Engineering,online,Al re-deposition during polyimide etching occurs when an Al mask is used which results with ‘grass’ generation at the bottom of the substrate. How can this problem be solved?,"['A thin Si', 'A higher mean free path of the sputtered material reaction products by a low plasma pressure', 'An erodible mask can be used on top of the Al mask', 'The wafer can be placed in an oxygen plasma chamber to remove this layer']",A higher mean free path of the sputtered material reaction products by a low plasma pressure,1 +2862,15047,Life Sciences Engineering,online,Why is the oxide thickness toxin a thermal oxidation process initially proportional to the time and later proportional to the square root of time?,"['Initially, the diffusion of silicon to the SiO', 'As the process runs, more and more metal contaminants hinder oxygen availability at the substrate surface', 'The temperature at the substrate surface gets lower when the SiO', 'Initially, the diffusion of oxygen to the silicon surface is rapid, but later takes longer when the SiO']","Initially, the diffusion of oxygen to the silicon surface is rapid, but later takes longer when the SiO",3 +2863,15047,Life Sciences Engineering,online,Which of the following is true for surface-machined microstructures?,"['The only method to investigate tensile stress is to use ring-crossbar test structures', 'While cooling down to room temperature after the release of the sacrificial layer, stress may develop due to the different thermal dilation between the film and the substrate', 'In simple beam test structures, the compressive stress is less visible than tensile stress as the test structures remain perfectly flat, until they eventually break', 'Stress can only be compressive, not tensile']","While cooling down to room temperature after the release of the sacrificial layer, stress may develop due to the different thermal dilation between the film and the substrate",1 +2864,15047,Life Sciences Engineering,online,"1. If polyimide etching is performed using an Al mask, there might be ‘grass’ at the bottom because of Al re-deposition. How can this problem be solved?","['A thin Si', 'An erodible mask can be used instead', 'After the grass formation, the wafer can be placed in an oxygen plasma chamber to remove this layer', 'The plasma can be used at a lower pressure, resulting in a higher mean free path of the sputtered material reaction products']","The plasma can be used at a lower pressure, resulting in a higher mean free path of the sputtered material reaction products",3 +2865,15047,Life Sciences Engineering,online,"Which of the following statements about photolithography and electron-beam lithography, is/are correct?","['UV photolithography can be used to expose a full wafer through a photomask', 'Electron-beam lithography can be used to expose a full wafer through an electron-mask', 'Photolithography can be used without a photomask as a serial writing method', 'Electron-beam lithography can be used without an electron-mask as a serial beam writing method', 'Photolithography can generate smaller features than electron-beam writing', 'Electron-beam writing can generate smaller features than UV photolithography']",UV photolithography can be used to expose a full wafer through a photomask,0 +2867,15047,Life Sciences Engineering,online,Which of the following is a correct statement for an Inductively coupled plasma (ICP) etching system?,"['There are two RF power sources: one for generation of the plasma and one for stabilizing the temperature inside the chamber', 'The electrical impedance of an ICP source is an inductor in series with a small resistor', 'The plasma can only be activated when the pressure is set to an extremely high value', 'A high voltage on the working electrode is needed, so that the plasma potential is kept at high values']",The electrical impedance of an ICP source is an inductor in series with a small resistor,1 +2868,15047,Life Sciences Engineering,online,"1. Device reliability is important when fabricating microsystems for commercial use, where long lifetime is required. Unfortunately, some reliability issues cannot be directly determined once the fabrication process is finished. Which of the following failure is not a long-term failure mode, but can be rather detected already during or shortly after the fabrication of a device?","['Slow diffusion of mobile charge carriers to sensitive areas of the device', 'Delamination due to stress originating from moving parts', 'Fatigue due to repeated use of the device', 'Particle contamination']",Particle contamination,3 +2869,15047,Life Sciences Engineering,online,1. What are the limitations or drawbacks of white light interferometric measurements?,"['The lateral scanning of the surface profile makes this kind of measurement slow.', 'The sample surface needs to be sufficiently reflective.', 'Only rigid samples can be measured.', 'Steep slopes on the sample surface cannot be measured.']",The sample surface needs to be sufficiently reflective.,1 +2870,15047,Life Sciences Engineering,online,1. Which of the following is true for an RF plasma assuming that the top electrode is connected to the ground and the bottom electrode is connected to the RF source?,"['After a couple of RF oscillations, electrons tend to charge the top electrode', 'Due to the loss of electrons to the walls, the bulk of the plasma becomes slightly negative', 'After accumulation of electrons on the lower electrode, the remaining electrons in the plasma are pushed away and an ion sheath is formed near the electrode', 'The current passing through the ion sheath is proportional to the square of the thickness of the ion sheath']","After accumulation of electrons on the lower electrode, the remaining electrons in the plasma are pushed away and an ion sheath is formed near the electrode",2 +2871,15047,Life Sciences Engineering,online,What is the advantage of sputtering over evaporation?,"['Higher film purity can be achieved with sputtering', 'With sputtering the substrate is less prone to damage', 'Sputtering eases the deposition of refractory materials such as HfC', 'Stencil lithography is better suited for use in a sputter tool']",Sputtering eases the deposition of refractory materials such as HfC,2 +2872,15047,Life Sciences Engineering,online,1. Which of the following techniques are part of the family of physical vapor deposition (PVD) techniques?,"['Evaporation', 'Wet oxidation', 'Atomic layer deposition', 'Sputtering', 'Molecular beam epitaxy', 'Vapor phase epitaxy', 'Pulsed laser deposition']",Evaporation,0 +2873,15047,Life Sciences Engineering,online,1. What is the meaning of a self-limiting reaction?,"['A reaction which stops once the precursor is consumed', 'A reaction which stops once all reactive sites on the surface are consumed', 'A reaction which stops once the product density is too high', 'A reaction which has a limited reaction rate due to low precursor concentration']",A reaction which stops once all reactive sites on the surface are consumed,1 +2874,15047,Life Sciences Engineering,online,1. Nanoimprint lithography (NIL) often faces the issue that the stamp adheres to the resist and cannot be detached. What measure can be taken to assist detaching the stamp from the resist after the imprint replication step?,"['Oxygen plasma of the stamp or mold', 'Silanization of the stamp or mold', 'UV curing of the resist', 'Hard bake of the resist']",Silanization of the stamp or mold,1 +2875,15047,Life Sciences Engineering,online,1. Which of the following is a correct statement for an Inductively coupled plasma (ICP) etching system?,"['The electrical impedance of an ICP source is a capacitor in series with a small resistor', 'There are two RF power sources: one for generation of the plasma and one for generating the surface voltage bias', 'A high voltage on the working electrode is needed, so that the plasma potential is kept at high values', 'The plasma can only be activated when the pressure is set to an extremely high value']",There are two RF power sources: one for generation of the plasma and one for generating the surface voltage bias,1 +2876,15047,Life Sciences Engineering,online,"1. If the plasma ions that impinge on the target have kinetic energy in the range of 10 eV - 10 keV, then the ions will…","['…be mainly reflected and adsorbed by the target', '…eject atoms from the target as well as secondary electrons and ions', '…cause surface migration and surface damage, such as topography changes on the target', '…create deep implantation and compound formation in the target']",…eject atoms from the target as well as secondary electrons and ions,1 +2877,15047,Life Sciences Engineering,online,Which of the following is true for a dry etching equipment?,"['A scrubber gas treatment is necessary to adjust Ar flow in the chamber', 'A load chamber is utilized to load the desired gas for the etching process', 'An electrostatic chuck can be used to clamp the wafer by electrostatic forces', 'Optical end point detection is used to monitor the stability of the fixation of the wafer on the electrostatic chuck']",An electrostatic chuck can be used to clamp the wafer by electrostatic forces,2 +2878,15047,Life Sciences Engineering,online,What is the advantage of performing microfabrication processes in a cleanroom environment?,"['Precise temperature control provides maximum comfort for operators', 'Downward laminar flow of filtered air reduces the risk of dust particles contamination on the wafers', 'A governing organization takes care of the maintenance of the tools and machines which enables operators to focus on their process flow', 'Because of the downward laminar flow, cleanroom operators are automatically protected from dangerous fumes']",Downward laminar flow of filtered air reduces the risk of dust particles contamination on the wafers,1 +2880,15047,Life Sciences Engineering,online,1. What is the main advantage of a buffered HF (BHF) over a pure HF bath for the Pyrex etching process?,"['The Cr layer is not required for depositing the photoresist mask on the Pyrex substrate', 'One can completely avoid mask underetching effects', 'The etching rate is significantly enhanced, yielding a higher throughput', 'A Au layer is not required in preparing the mask']",A Au layer is not required in preparing the mask,3 +2881,15047,Life Sciences Engineering,online,Which of the following is true for an RF plasma assuming that the top electrode is connected to the ground and the bottom electrode is connected to the RF source?,"['Due to the loss of electrons to the walls, the bulk of the plasma becomes slightly negative', 'After a couple of RF oscillations, electrons tend to charge the top electrode', 'After accumulation of electrons on the top electrode, the remaining electrons in the plasma are also pulled to the top and, after a while, an ion sheath is formed near the top electrode', 'The current passing through the ion sheath is inversely proportional to the square of the thickness of the ion sheath']",The current passing through the ion sheath is inversely proportional to the square of the thickness of the ion sheath,3 +2882,15047,Life Sciences Engineering,online,What are the advantages of thermal scanning probe lithography over e-beam lithography?,"['Fast patterning over large areas.', 'Samples that can be damaged by high-energy electrons can be used.', 'Closed-loop lithography allows rapid prototyping of novel structures.', 'Thermal scanning probe lithography does not require vacuum.']",Samples that can be damaged by high-energy electrons can be used.,1 +2883,15047,Life Sciences Engineering,online,Which is a key disadvantage of CVD as a thin film deposition method?,"['Conformal material deposition across all surfaces of the substrate', 'CVD processes operate at high temperatures, which can be harmful to substrates', 'Materials for reactor construction are not readily available', 'High wafer throughput is not possible']","CVD processes operate at high temperatures, which can be harmful to substrates",1 +2884,15047,Life Sciences Engineering,online,What is the practical solution to improve imaging of non-conductive samples in scanning electron microscopy?,"['Working distance adjustment', 'Conductive thin film coating connected to the ground', 'Brightness and contrast adjustment', 'Increase of the energy of primary electrons']",Conductive thin film coating connected to the ground,1 +2885,15047,Life Sciences Engineering,online,1. In EBL the electron beam can be shaped and deflected by electrostatic and electromagnetic forces. The electrostatic forces are used for:,"['Beam shaping', 'Beam blanking', 'Scanning of the beam inside the field write area', 'Electron extraction from the gun']",Beam blanking,1 +2886,15047,Life Sciences Engineering,online,"The signal-to-noise-ratio (SNR) and sensitivity of capacitive accelerometers have been greatly enhanced over the past 20 years, mostly by...","['…highly doping the Si', '…using combs', '…implementing thin gaps', '…packaging them in vacuum']",…using combs,1 +2887,15047,Life Sciences Engineering,online,Which of the following physical phenomenon and/or equations are used to calculate the spectrum for thin film thickness fitting when using a reflectometer or transmittometer?,"['Fresnel equations', 'Stoney equation', 'Interference', 'Polarization']",Fresnel equations,0 +2888,15047,Life Sciences Engineering,online,Which of the following is true for the mask material selection of a Si in an HNA bath?,"['One has to dip the wafer first in a concentrated acetone solution which is followed by dipping in a HNO', 'For very deep etching, a Au or Si', 'Wet etching of SiO', 'Photoresists can be used as masking material, as they withstand strong oxidizing agents like HNO']","For very deep etching, a Au or Si",1 +2889,15047,Life Sciences Engineering,online,"1. As the pressure in a CVD reactor is reduced well below 1 atmosphere, which of these statements is correct?","['Gas phase reactions become more and more important', 'The wafers can be stacked in vertical direction, so the throughput increases', 'There are more fluctuations in gas pressure, which result in less uniformly deposited films', 'Diffusional gas transport becomes less important']","The wafers can be stacked in vertical direction, so the throughput increases",1 +2890,15047,Life Sciences Engineering,online,1. Which of the following is true for the mask material selection for the etching of Si in an HNA bath?,"['One has to dip the wafer first in a pure HF bath, after which one dips it in a HNO', 'For very deep etching, a Au or Si', 'Photoresists can be used as masking material, as they tolerate strong oxidizing agents like HNO', 'Wet etching of SiO']","For very deep etching, a Au or Si",1 +2893,15047,Life Sciences Engineering,online,1. So-called shadowing effects are causing problems when aiming for smooth and uniform film thickness on a substrate. How do modern thin film deposition tools based on thermal or e-beam evaporation avoid issue related to shadowing?,"['The gas pressure inside the evaporation chamber', 'The amount of heat supplied to the evaporant', 'The mean free path of the atoms in the chamber', 'The distance between the source and the substrate']",The amount of heat supplied to the evaporant,1 +2894,15047,Life Sciences Engineering,online,What is the purpose of the SiO2layer in the thermo-mechanical micro-actuator?,"['To create an electrically insulating layer below the chromium tracks', 'To give distinct colors to wafers with different thicknesses', 'To form the structural material of the thermo-mechanical micro-actuator', 'To oxidize the surface of the silicon wafer']",To create an electrically insulating layer below the chromium tracks,0 +2895,15047,Life Sciences Engineering,online,"Sometimes, in Cl plasma etching, a corrosion phenomenon is observed in Al etching under the form of chlorine-containing residues remaining on the film sidewalls. Which of the following is a correct approach to avoid this problem?","['Immersing the wafer in a PGMEA developer', 'Gently blowing the wafer surface with nitrogen gun to create AlN gas', 'Dipping before etching the wafer in diluted acetone solution', 'Exposing the etched structure to a fluorine plasma immediately after the Cl plasma']",Exposing the etched structure to a fluorine plasma immediately after the Cl plasma,3 +2896,15047,Life Sciences Engineering,online,Why is the thermo-mechanical micro-actuator bending after the KOH release before actually applying any current for joule heating? Because of…,"['…the electrical current going through the chromium track', '…the capillary forces created by the liquid KOH during the release step', '…the difference in residual stress between the chromium and SiO', '…the repulsive electrostatic force between the cantilever and the silicon substrate']",…the difference in residual stress between the chromium and SiO,2 +2897,15047,Life Sciences Engineering,online,"Which of the following is true for the current-voltage characteristic of a n-doped Si wafer that is put into a diluted HF solution, whereby one electrode is attached to the n-doped Si and the other electrode is placed in the diluted HF solution?","['A negative voltage applied to the wafer transfers electrons to the interface and hence Si etching occurs', 'At large positive voltage values, electrical breakdown of the semiconductor occurs', 'A positive voltage applied to the wafer causes the accumulation of electrons in the liquid at the wafer-HF bath interface', 'Because of electro-polishing during negative voltage values, n-doped Si looks dark']","At large positive voltage values, electrical breakdown of the semiconductor occurs",1 +2898,15047,Life Sciences Engineering,online,1. What is the main advantage of Ion Beam Etching (IBE) to a plasma-based etching process?,"['The power consumption is extremely low', 'The pulsed deep dry etching process of Si (Bosch process) is only possible by using IBE', 'The angle of incidence of the ion beam onto the sample can be varied and etching profiles with different angles with respect to the surface can be fabricated', 'High-aspect ratio structures can only be fabricated by IBE']",The angle of incidence of the ion beam onto the sample can be varied and etching profiles with different angles with respect to the surface can be fabricated,2 +2900,15047,Life Sciences Engineering,online,1. Which parameter determines the maximum evaporation rate in a PVD system based on thermal evaporation ?,"['The condensation rate of the evaporant', 'The equilibrium vapor pressure of the evaporant', 'The boiling point of the evaporant', 'The mean free path in the evaporation chamber']",The equilibrium vapor pressure of the evaporant,1 +2901,15047,Life Sciences Engineering,online,"In a CF4plasma to which hydrogen gas is added due to which the side walls of an etched hole can be protected from etching by deposition of a fluorocarbon polymeric layer, how can the selectivity of dry etching be decreased?","['By increasing the H', 'By decreasing the monomer concentration', 'By increasing the pressure', 'By decreasing the temperature']",By decreasing the monomer concentration,1 +2903,15047,Life Sciences Engineering,online,Resolution in EBL is limited by forward scattering of the electrons in the resist. Which of the following measures favor higher resolution?,"['Apply higher electron-beam accelerating voltage', 'Apply lower electron-beam accelerating voltage', 'Use a thicker resist layer', 'Use a thinner resist layer']",Apply higher electron-beam accelerating voltage,0 +2904,15047,Life Sciences Engineering,online,1. Which of the following statements about MEMS capacitive comb drive accelerometer are correct?,"['Combs provide larger capacitive readout', 'The key parameter for the sensitivity of capacitive accelerometer is combs gap (g), which should be minimized as much as possible', 'Accelerometer needs hermetic encapsulation']",Combs provide larger capacitive readout,0 +2905,15047,Life Sciences Engineering,online,Which are the assumptions made to obtain the simplified mass transfer equation?,"['No advection and also no gas density variation in the horizontal direction', 'No advection and also no gas density variation in the vertical direction', 'Nonzero advection and also no gas density variation in the horizontal direction', 'Nonzero advection and also no gas density variation in the vertical direction']",No advection and also no gas density variation in the horizontal direction,0 +2906,15047,Life Sciences Engineering,online,What is the purpose of the chromium layer in the thermo-mechanical micro-actuator?,"['To give a metallic appearance to the wafer', 'To be electrically conductive', 'To have a different thermal expansion coefficient compared to SiO', 'To ensure a good adhesion of the photoresist']",To be electrically conductive,1 +2907,15047,Life Sciences Engineering,online,"1. The etch stop by B implantation in Si, using B concentrations above 1020atoms/cm3, is a technique used to create thin membranes from Si wafers. What is a disadvantage of this process?","['The SiO', 'Very high B concentrations are not compatible with standard CMOS devices and they may compromise the crystal quality', 'The silicon crystal orientation has a high influence on the implantation profile and hence it creates its proper B distribution', 'The technique requires the application of a positive potential to the wafer that produces holes at the Si/solution interface']",Very high B concentrations are not compatible with standard CMOS devices and they may compromise the crystal quality,1 +2908,15047,Life Sciences Engineering,online,The variation of which parameter is key when a deposition of polycrystalline silicon instead of amorphous silicon is targeted?,"['Chamber pressure', 'Precursor gases', 'Reactor temperature', 'Substrate material']",Reactor temperature,2 +2909,15047,Life Sciences Engineering,online,"1. Both CVD and PVD are deposition techniques, which may induce extrinsic and intrinsic stress inside or at the interface of the deposited thin films. What kind of stress do you expect in a SiO2film deposited on a silicon wafer by CVD? Hint: CTE of SiO2is smaller than that of Si.","['No stress because CVD deposition is conformal', 'Compressive extrinsic stress', 'Tensile intrinsic stress', 'Tensile extrinsic stress']",Compressive extrinsic stress,1 +2910,15047,Life Sciences Engineering,online,1. Capacitive microphones contain two membranes for acoustic transduction. Which of the following statements are correct?,"['Both membranes are movable', 'Both membranes have holes', 'Both membranes need to be metallic']",Both membranes have holes,1 +2911,15047,Life Sciences Engineering,online,Which one is a useful step for fabricating a thin Si membrane by wet etching starting from a monolithic Si substrate?,"['Dipping before etching the wafer in a concentrated isopropyl alcohol solution', 'Immersing the Si wafer in a KOH anisotropic bath and implanting B atoms to control the etching depth', 'Placing the Si wafer in a concentrated Piranha solution', 'Instead of taking pure Si, take a wafer which is completely doped with Boron at a concentration above 10']",Immersing the Si wafer in a KOH anisotropic bath and implanting B atoms to control the etching depth,1 +2912,15047,Life Sciences Engineering,online,Which of the following must be performed to convert an isotropic CF4etching process to a purely anisotropic etching process?,"['Increasing the monomer concentration', 'Adding 10% H', 'Increasing the process temperature', 'Adding 10% O']",Adding 10% H,1 +2913,15047,Life Sciences Engineering,online,"Choose the correct order of PVD techniques that have the following characteristics:I. This technique is suitable for the deposition of insulating materialII. With this technique, the plasma extends to the entire chamberIII. High purity films can be obtained using this techniqueIV. With this technique the target wear is uniform","['I. RF sputtering – II. DC sputtering – III. RF magnetron sputtering – IV. DC magnetron sputtering', 'I. DC magnetron sputtering – II. DC sputtering – III. Resistive heating evaporation – IV. RF sputtering', 'I. E-beam evaporation – II. DC magnetron sputtering – III. DC sputtering – IV. DC sputtering', 'I. RF magnetron sputtering – II. RF sputtering – III. E-beam evaporation – IV. DC sputtering']",I. RF magnetron sputtering – II. RF sputtering – III. E-beam evaporation – IV. DC sputtering,3 +2914,15047,Life Sciences Engineering,online,Which of the following is true for a cryogenic deep dry Si etching process?,"['There is no grass generation observed even with too much oxygen', 'The chuck temperature does not have a significant influence on the etching profile', 'The loading effect is eliminated for this process', 'Etching and passivation steps are done simultaneously']",Etching and passivation steps are done simultaneously,3 +2915,15047,Life Sciences Engineering,online,"We know by now that sputtering has better step coverage than evaporation. Related to this fact, which of the following explanations are correct?","['The pressure in the sputtering chamber is higher than in the evaporation chamber during the deposition', 'The deposition rate of sputtering is higher, which implies a better step coverage', 'The incidence angle of sputtered atoms is random', 'Co-sputtering from multiple targets enables good step coverage']",The pressure in the sputtering chamber is higher than in the evaporation chamber during the deposition,0 +2916,15047,Life Sciences Engineering,online,1. Why is the oxide thickness toxin a thermal oxidation process proportional to the square root of time?,"['Less oxygen is available at the substrate surface due to metal contaminants', 'The temperature at the substrate surface gets lower when the SiO', 'Diffusion of silicon to the SiO', 'Diffusion of oxygen to the silicon surface takes longer when the SiO']",Diffusion of oxygen to the silicon surface takes longer when the SiO,3 +2917,15047,Life Sciences Engineering,online,"After the deposition of a gold thin film onto a glass wafer by using an e-beam evaporator, the subsequent tape pull-test is not successful (i.e. the gold delaminates). What could you do to overcome this problem and improve the adhesion of the gold layer?","['Deposit a Cr adhesion layer before the gold film deposition', 'Add a Pt adhesion layer before the gold evaporation', 'Use a planetary substrate holder', 'Use a sputter tool instead of a thermal evaporator to deposit the gold film']",Deposit a Cr adhesion layer before the gold film deposition,0 +2918,15047,Life Sciences Engineering,online,What can be correctly said about the laminar regime of the boundary layer?,"['Inertial forces are much larger than viscous forces', 'The gas flow is more likely to be laminar in a smaller reactor', 'The mean free path of gas molecules is shorter than in the turbulent regime', 'Inertial forces become progressively more important than viscous forces when the flow advances along the substrate']",The gas flow is more likely to be laminar in a smaller reactor,1 +2919,15047,Life Sciences Engineering,online,1. What can be correctly said about the turbulent regime of the boundary layer?,"['Viscous forces are much larger than inertial forces', 'The gas flow is more likely to be turbulent in a larger reactor', 'The mean free path of gas molecules is longer than in the laminar regime', 'Viscous forces become progressively more important than inertial forces when the flow advances along the substrate']",The gas flow is more likely to be turbulent in a larger reactor,1 +2920,15047,Life Sciences Engineering,online,1. Why does scanning electron microscopy exhibit a higher spatial resolution than optical microscopy?,"['Larger wavelength of electrons compared to photons', 'Smaller wavelength of electrons compared to photons', 'Electron is travelling in vacuum', 'Lower energy of electrons compared to photons']",Smaller wavelength of electrons compared to photons,1 +2921,15047,Life Sciences Engineering,online,1. Which of the following list is the most important feature of a ‘total cleanroom’?,"['Precise temperature control', 'Downward laminar flow of filtered air to ensure that the wafers are only exposed to clean air', 'Regulated, fixed humidity', 'A smog-free environment guaranteed']",Downward laminar flow of filtered air to ensure that the wafers are only exposed to clean air,1 +2922,15047,Life Sciences Engineering,online,"Out of the following statements which are true and which are false?The shapes exposed through a mask will be better than those exposed via direct laser writing. Indeed, shape corrections can be applied when fabricating the mask.","['True', 'False']",False,1 +2923,15047,Life Sciences Engineering,online,"As the pressure in a CVD reactor is reduced well below 1 atmosphere, which of these statements is correct?","['Diffusional gas transport becomes more important', 'Gas phase reactions become less and less important', 'There are more fluctuations in gas pressure, which result in more uniformly deposited films', 'High wafer throughput is not possible']",Diffusional gas transport becomes more important,0 +2924,15047,Life Sciences Engineering,online,"In UV-lithography we typically use a photomask, which is made of a transparent glass plate coated with a structured chromium film. What is the process flow to fabricate such a mask, assuming that the chromium and resist layer are already added on the glass plate?","['Development, laser writing, etching, resist stripping, dehydration', 'Laser writing, development, etching, resist stripping, dehydration', 'Development, etching, resist stripping, laser writing, dehydration']","Laser writing, development, etching, resist stripping, dehydration",1 +2925,15047,Life Sciences Engineering,online,Which of the following statements are true when comparing an atomic force microscope (AFM) and a mechanical surface profilometer?,"['AFM allows to achieve higher lateral resolution due to the tip apex, which is extremely sharp in comparison to the tip of a mechanical surface profilometer.', 'Both techniques require scanning a mechanical probe over the surface to be measured.', 'Both AFM and mechanical surface profilometer are affected by the convolution between the tip shape and surface features.', 'AFM allows scanning of surfaces that have structures in the z-range from 1 nm to 1 mm in contrast to a mechanical surface profilometer which may be used in the z-range from a few Angstroms to a few hundreds of nanometers.']","AFM allows to achieve higher lateral resolution due to the tip apex, which is extremely sharp in comparison to the tip of a mechanical surface profilometer.",0 +2926,15047,Life Sciences Engineering,online,1.After depositing a thin film you realize that no film was formed on the substrate because the deposited atoms desorbed from the substrate surface. What could you do to overcome this problem? Think generic.,"['Increase the substrate temperature', 'Increase the sputtering rate', 'Use evaporation instead of sputtering', 'Use magnetron sputtering']",Increase the sputtering rate,1 +2927,15047,Life Sciences Engineering,online,Which one is an adequate bath for anisotropic Si wet etching?,"['A 50% diluted HF bath', 'An alkaline organic bath like EDP', 'A KOH bath with over 95% of KOH concentration in water', 'A high concentration H']",An alkaline organic bath like EDP,1 +2928,15047,Life Sciences Engineering,online,Consider the thermo-mechanical micro-actuator case study: what is the critical step to ensure the chromium tracks are well aligned with the SiO2cantilevers?,"['The chromium deposition', 'The first photolithography', 'The second photolithography', 'The SiO']",The second photolithography,2 +2929,15047,Life Sciences Engineering,online,In which case is direct laser writing a better-suited lithographic method than mask-based photolithography?,"['The design has been optimized and will now be replicated many times.', 'Test exposure of different shapes are required for the target pattern.', 'The structures need to be fabricated only once or twice.', 'A resolution of 5 microns is required, but the wafer should not be damaged by touching the wafer.']",Test exposure of different shapes are required for the target pattern.,1 +2930,15047,Life Sciences Engineering,online,Which of the following statements are true considering the properties of electron guns?,"['The purpose of a suppressor in an electron gun is to limit the emission of electrons to the tip apex region.', 'The tip of Schottky field emitters are coated with ZrO', 'The more anodes in an electron gun, the better the resolution.']",The purpose of a suppressor in an electron gun is to limit the emission of electrons to the tip apex region.,0 +2931,15047,Life Sciences Engineering,online,"Device reliability is important when fabricating devices for commercial use, where long lifetime is required. However, reliability issues cannot always be determined immediately after fabrication. Which of the following failure modes that are originating from the fabrication can be detected during or shortly after the fabrication of a device?","['Corrosion due to environmental humidity', 'Strain-induced stress causing failure by temperature variations', 'Particle contamination', 'Fatigue due to cyclic loading of a device']",Particle contamination,2 +2932,15047,Life Sciences Engineering,online,1. Which of the following statements regarding inspection and metrology are true?,"['The inspection and metrology should be minimized because they are time consuming and costly.', 'The inspection and metrology are conducted in order to evaluate the processes’ performance and to make sure that they are properly conducted.', 'The inspection and metrology can only be done at the end of the process flow to check the MEMS’ performance.', 'Some inspection and metrology methods are invasive, therefore possible effects on the device under study must be taken into consideration.']",The inspection and metrology are conducted in order to evaluate the processes’ performance and to make sure that they are properly conducted.,1 +2933,15047,Life Sciences Engineering,online,1. Which of the following must be performed to convert an isotropic CF4etching process to a purely anisotropic etching process?,"['Adding O', 'Increasing the bias voltage', 'Adding 10% H', 'Increasing the chamber pressure']",Adding 10% H,2 +2934,15047,Life Sciences Engineering,online,You investigate MEMS devices by means of the following 7 metrology methods. Which of them have a low risk of damaging the specimen surface?,"['Non-contact mode atomic force microscopy', 'Focused ion beam imaging', 'Optical microscopy in BF / DF / DIC mode', 'Mechanical surface profilometry on soft material', 'Scanning electron microscopy on soft material', 'Spectroscopic ellipsometry', 'White light interferometric surface profilometry']",Non-contact mode atomic force microscopy,0 +2936,15043,Life Sciences Engineering,online,Dissociated nuclei provide a less biased sampling of cell types from human brain. Why?,"['Nuclei provide the same information as whole-cell mRNA data', 'Nuclei contain a diverse set of gene transcripts that can be used to discriminate between cell types', 'There are transcripts in the nucleus which are not shuttled out to the cytoplasm', 'Nuclei are easier to dissociate']",Nuclei contain a diverse set of gene transcripts that can be used to discriminate between cell types,1 +2937,15043,Life Sciences Engineering,online,What generates the specific electrical behavior of a neuron?,"['The different cytoplasmic enzymes regulating calcium concentration', 'The different ion channels expressed at its surface', 'The number of synapses on its soma', 'The type of neurotransmitter it produces']",The different ion channels expressed at its surface,1 +2938,15043,Life Sciences Engineering,online,What are the three main imaging problems?,"['Non-specific staining, background noise, image registration', 'Stitching, registration and alignment', 'Misalignment, synapse identification, data quantification', 'File size, computer power, data storage']","Stitching, registration and alignment",1 +2941,15043,Life Sciences Engineering,online,What caused the stereotypical explode-recover-dynamics of the microcircuit?,"['The number of synapses per connection', 'The number of basket cells', 'The underestimated maximal conductance of the synapses', 'The synaptic sensitivity to extracellular calcium concentrations']",The synaptic sensitivity to extracellular calcium concentrations,3 +2942,15043,Life Sciences Engineering,online,What anatomical evidence is there of distinct functional pathways in the mouse visual cortex?,"['The retinotopy of the higher visual areas', 'The very similar structural organization of the mouse visual cortex and the primate visual cortex', 'The connectivity between areas in the visual cortex', 'There is no anatomical evidence']",The connectivity between areas in the visual cortex,2 +2943,15043,Life Sciences Engineering,online,What characteristic of myelinated fibers is an advantage in two-photon microscopy?,"['They can be detected without labeling due to a high autofluorescence', 'They can be detected without labeling because they enhance the back-scattering signal', 'They naturally express a detectable red fluorescent protein', 'None of the above']",They can be detected without labeling because they enhance the back-scattering signal,1 +2944,15043,Life Sciences Engineering,online,"What type of structure, or components, are linked to function in functional integration?","['Brain areas defined by their cyto-architecture', 'Brain areas defined by their connectivity patterns', 'Macroscopic brain networks derived from functional data', 'Microscopic brain networks derived from anatomical data']",Macroscopic brain networks derived from functional data,2 +2946,15043,Life Sciences Engineering,online,Which of the following assumptions concerning synapses are true?,"['Not all synapses have the same strength', 'Synapses can be depressing or facilitating', 'The behavior of a synapse depends on the neurons connected through it', 'Synapses all function with the same speed']",Not all synapses have the same strength,0 +2947,15043,Life Sciences Engineering,online,Which morphological feature was shown to be significantly different between human and rodent neurons?,"['Cell body size', 'Number of cortical layers', 'Dendritic length and segmentation', 'None of the above']",Dendritic length and segmentation,2 +2948,15043,Life Sciences Engineering,online,What approach is commonly used to study cell morphology?,"['Single-cell recordings', 'Biocytin labelling and cellular structure reconstruction', 'Localization of neuronal subtypes', 'Fluorescent labelling']",Biocytin labelling and cellular structure reconstruction,1 +2950,15043,Life Sciences Engineering,online,Which of the following assertions concerning the murine visual cortex are true?,"['The retinotopic organisation extends into areas neighbouring the visual cortex', 'The retinotopic organisation does not fill all the known visual cortex', 'The borders of functional areas match those of anatomical visual areas exactly', 'The borders of functional visual areas do not match those of anatomical visual areas']",The retinotopic organisation extends into areas neighbouring the visual cortex,0 +2952,15043,Life Sciences Engineering,online,What is the idea behind functional segregation into distinct cortical areas?,"['The existence of specific cytoarchitectures corresponding to specific patches in the brain', 'The existence of specific receptor architectures specific for specific brain areas', 'The fact that different areas of the brain are activated by distinct types of stimulus', 'The existence of a unique set of input and output connections for each cortical area']",The existence of a unique set of input and output connections for each cortical area,3 +2953,15043,Life Sciences Engineering,online,What did the standardized study of synaptic dynamics lead to?,"['A parameterized model of short-term plasticity', 'An algorithm to detect synapses in microscopy images', 'The synapse density in each cortical layer', 'The discovery that a single neuron can form synapses with very different short-term dynamics']",A parameterized model of short-term plasticity,0 +2957,15043,Life Sciences Engineering,online,What makes diffusion-weighted magnetic resonance imaging (dMRI) different from both resting-state functional connectivity (RSFC) and meta-analytic connectivity modeling (MACM)?,"['dMRI focuses on white matter, whereas RSFC and MACM focus on grey matter', 'dMRI focuses on the resting brain, whereas RSFC and MACM are task-dependent', 'dMRI is a structural approach, whereas RSFC and MACM are functional approaches', 'None of the above']","dMRI focuses on white matter, whereas RSFC and MACM focus on grey matter",0 +2958,15043,Life Sciences Engineering,online,What could you use in situ hybridisation of Snap25 for?,"['Neuronal density counting', 'Cell type classification', 'Localization of cholinergic neurons', 'None of the above']",Neuronal density counting,0 +2960,15043,Life Sciences Engineering,online,Which of the anterior and posterior temporoparietal junction is more linked to sensory input processing?,"['They are both strongly linked to sensory input processing', 'None of them seems to play any direct role in sensory input processing', 'The anterior part of the temporoparietal junction', 'The posterior part of the temporoparietal junction']",The anterior part of the temporoparietal junction,2 +2961,15043,Life Sciences Engineering,online,What is the advantage of applying the same cell profiling technique across brain areas and species?,"['Enables the identification of highly conserved cell types across brain areas and/or species', 'Provides information on cell type diversity throughout brain areas of a single species and between species', 'Allows for tighter control of variables', 'All of the above']",All of the above,3 +2962,15043,Life Sciences Engineering,online,What are the building blocks needed to recreate a neuron’s electrical behavior?,"['Its connectivity pattern and layer location', 'Its morphology and connectivity pattern', 'Its morphology and ion channel type density', 'Its ion channel type density and layer location']",Its morphology and ion channel type density,2 +2963,15043,Life Sciences Engineering,online,Dopa-decarboxylase is expressed in:,"['VTA', 'SNr', 'Substantia Nigra compacta part', 'Dorsal Raphe Nucleus', 'DTN']",VTA,0 +2964,15043,Life Sciences Engineering,online,All gene expression atlases contain an image viewer. Which of the following information can not be visualized with the viewers of mouse gene expression atlases?,"['The metadata', 'The original image of each single section', 'A synced view of the corresponding reference atlas', 'None of the above']",None of the above,3 +2965,15043,Life Sciences Engineering,online,Which of the following statements are principles used to estimate connectivity between neurons?,"['The number of synapses per connection is close to a number characteristic for a connection type', 'An apposition between neurons is required for a connection', 'There are no connections with less than two or more than fifteen synapses', 'The number of synapses is constrained by the space available on the axon']",The number of synapses per connection is close to a number characteristic for a connection type,0 +2966,15043,Life Sciences Engineering,online,What is the impact of including intronic sequence counts in RNA-seq analysis?,"['It interferes with the identification of genes', 'It increases the number of junk sequences detected', 'It reduces the number of reliably detected genes in whole cell preps', 'It increases the number of genes detected in the nuclei']",It increases the number of genes detected in the nuclei,3 +2967,15043,Life Sciences Engineering,online,Which of the following statements about membrane capacitance are false?,"['A membrane capacitance of 0.5 μF/cm2 is a physical constant of most living cells', 'The membrane capacitance is formed by the phospholipids bilayers of the cell membrane', 'Mammalian neurons have a membrane capacitance that is half that of most other cells', 'Mouse and human neurons have a different membrane capacitance']",A membrane capacitance of 0.5 μF/cm2 is a physical constant of most living cells,0 +2972,15043,Life Sciences Engineering,online,What technical difficulty arises when attempting to place the functional connectivity in the context of structural connectivity?,"['The anatomical structure of the brain spans several orders of magnitude', 'Structural connectivity can only be studied in fixed tissue', 'There is no specific technical difficulty', 'Functional connectivity cannot be studied with optical methods']",The anatomical structure of the brain spans several orders of magnitude,0 +2973,15043,Life Sciences Engineering,online,What is needed in order to validate the behavior of a computationally reconstructed neocortical microcircuit?,"['A larger microcircuit reconstructing a whole brain area', 'Simulations of the data used to reconstruct it', 'Independent biological datasets on the behavior of such a microcircuit to compare the model’s predictions to', 'More data on synaptic physiology to reduce the generalization steps and obtain a more accurate model']",Independent biological datasets on the behavior of such a microcircuit to compare the model’s predictions to,2 +2975,15043,Life Sciences Engineering,online,What is the cell type specific connectivity problem about?,"['The link between cell morphology and electrophysiology', 'How each neuronal cell type in the brain is connected to every other type through synapses', 'How the type of synapse forming a connection influences the electric type of the postsynaptic neuron', 'How the type of synapse forming a connection influences the electric type of the presynaptic neuron']",How each neuronal cell type in the brain is connected to every other type through synapses,1 +2976,15043,Life Sciences Engineering,online,What kind of algorithms are typically used to find notions of coherent macroscopical networks in the brain?,"['Clustering algorithms', 'Sorting algorithms', 'Genetic algorithms', 'Matrix decomposition algorithms']",Matrix decomposition algorithms,3 +2977,15043,Life Sciences Engineering,online,What heuristics can be used to approximate a reasonable number of clusters in a dataset?,"['The consistency of brain segregation solutions across solutions for different cluster numbers', 'The inter-cluster distance compared to the intra-cluster distance', 'The mutual information between clusters', 'All of the above']",All of the above,3 +2978,15043,Life Sciences Engineering,online,What characterizes VENs?,"['Have only been identified in large-brain social mammals', 'Sit in very specific regions of layer 5 of the cortex', 'Are 3-4x the volume of surrounding pyramidal cells', 'Signature genetic markers include FEZF2, CTIP2 and GABRQ', 'All of the above']",All of the above,4 +2979,15043,Life Sciences Engineering,online,What further experimental studies need to be done to improve the accuracy of the model?,"['Patch-clamp studies in slices of monkey V1', 'Fluorescent labelling of inhibitory cells', 'Patch-clamp studies of fluorescently marked inhibitory cells', 'Patch-clamp studies of fluorescently marked excitatory cells']",Patch-clamp studies of fluorescently marked inhibitory cells,2 +2981,15043,Life Sciences Engineering,online,How many connectivity maps do you compute when analyzing a specific brain region?,"['One, corresponding to your region of interest', 'As many as the number of voxels contained in your region of interest', 'As many as there are areas connected to your region of interest', 'as many as there are axons starting in your region of interest']",As many as the number of voxels contained in your region of interest,1 +2983,15043,Life Sciences Engineering,online,What can only be detected using real-time measurements of action potentials as opposed to averaged measurements?,"['Synchronous activity', 'Excitatory activity', 'Inhibitory activity', 'Spontaneous activity']",Spontaneous activity,3 +2984,15043,Life Sciences Engineering,online,What mRNAs are detected exclusively in the cytoplasm?,"['Mitochondrial-encoded mRNAs', 'Calcium channel subunits mRNAs', 'RNA splicing mRNAs', 'non coding RNA']",Mitochondrial-encoded mRNAs,0 +2985,15043,Life Sciences Engineering,online,The four areas forming the field sign positive ribbon around V1…,"['each have a visual field coverage similar to that of V1', 'have a visual field coverage complementing that of V1 when put together', 'have a visual field coverage similar to that of V1 when put together', 'all have the same visual field coverage that does not overlap with that of V1']",have a visual field coverage similar to that of V1 when put together,2 +2986,15043,Life Sciences Engineering,online,What important property of the neuron model is present with conductance inputs and absent when using current inputs?,"['Increasing the input frequency increases the output frequency up to a maximum, then decreases it', 'The output frequency saturates at a low input frequency', 'The output frequency is always positively correlated to the input frequency', 'None of the above']","Increasing the input frequency increases the output frequency up to a maximum, then decreases it",0 +2987,15043,Life Sciences Engineering,online,For which of these characteristic was the reconstruction based on data from another level?,"['The electrical profiles', 'The morphological types', 'The cell densities', 'None of the above']",None of the above,3 +2988,15043,Life Sciences Engineering,online,Which of the following assertions concerning the idea that the cortex contains a series of maps are true?,"['It was discovered fairly recently in the early twenty-first century', 'It was popularised in the early to mid-twentieth century', 'The first maps were of the visual and auditory cortex', 'The first maps were of the motor and somatosensory functions']",It was popularised in the early to mid-twentieth century,1 +2991,15043,Life Sciences Engineering,online,What information does in situ hybridization give about gene expression?,"['The quantity of per cell gene expression', 'Co-expression of thousands of genes', 'The localization of gene expression', 'All of the above']",The localization of gene expression,2 +2993,15043,Life Sciences Engineering,online,What are the advantages of using mice to study the visual system as opposed to primates and cats?,"['Genetic tools allowing the identification of different cell types are available', 'Being nocturnal animals, they have a more developed visual cortex', 'Genetic tools allowing the manipulation of different cell types are available', 'Mice are easy to breed']",Genetic tools allowing the identification of different cell types are available,0 +2994,15043,Life Sciences Engineering,online,What is the short-term goal of using data mining to find parameter values in the literature?,"['Develop a fully automated process to discover and annotate parameters', 'Automatically annotate specified parameters', 'Help provide a context for parameter values used in modeling', 'Accelerate the review of the literature by suggesting potential parameters']",Accelerate the review of the literature by suggesting potential parameters,3 +2996,15043,Life Sciences Engineering,online,Which characteristics can be used to classify neuronal cells?,"['Gene expression', 'Cell cycle state', 'Electrical behavior', 'Morphological features']",Gene expression,0 +2997,15043,Life Sciences Engineering,online,Hierarchical clustering…,"['Can be performed top-down or bottom-up', 'Is intrinsically an agglomerative clustering method', 'Is based on randomly assigned cluster centers', 'Computes clusters that contain the solutions for 1, 2, …, n partitions']",Can be performed top-down or bottom-up,0 +3000,15043,Life Sciences Engineering,online,Which of the following characteristics apply to cleared brain tissue?,"['It can be stained by immunohistochemistry', 'It allows the analysis of action potential propagation', 'It can be analysed by electron microscopy', 'The fluorescence is preserved for up to six weeks']",It can be stained by immunohistochemistry,0 +3004,15043,Life Sciences Engineering,online,Which of the following assumptions concerning forward and reverse inference are true?,"['Forward inference assumes the existence of a cognitive process and asks what the probability is that a brain region is involved in that process', 'Reverse inference assumes the existence of a cognitive process and asks what the probability is that a brain region is involved in that process', 'Forward inference assumes the existence of a brain region and asks what the probability is that this brain region is involved in a specific cognitive process', 'Reverse inference departs from observed functional activity ina brain region and asks what the probability is that this brain region is involved in a specific cognitive process']",Forward inference assumes the existence of a cognitive process and asks what the probability is that a brain region is involved in that process,0 +3006,15043,Life Sciences Engineering,online,What is the advantage of crossing reporter mice to Emx1-IRES-cre mice for fluorescent imaging?,"['The 5th layer is highlighted by specific expression of the reporter', 'The reporter is expressed only by bipolar cells', 'The reporter is expressed throughout the cortical layers', 'The visual cortex is highlighted by specific expression of the reporter']",The reporter is expressed throughout the cortical layers,2 +3010,15043,Life Sciences Engineering,online,What makes dMRI different from both RSFC and MACM?,"['dMRI focuses on white matter, whereas RSFC and MACM focus on grey matter', 'dMRI is a structural approach, whereas RSFC and MACM are functional approaches', 'dMRI focuses on the resting brain, whereas RSFC and MACM are task-dependent', 'dMRI focuses on grey matter, whereas RSFC and MACM focus on white matter']","dMRI focuses on white matter, whereas RSFC and MACM focus on grey matter",0 +3012,15043,Life Sciences Engineering,online,Human neurons have a much faster time constant of recovery than rodent neurons. This has an impact on…,"['The synaptic resolution', 'The amount of information transferred between neurons', 'The rate at which information can be transferred', 'All of the above']",All of the above,3 +3014,15043,Life Sciences Engineering,online,"Studies in the mouse can map a receptive field to only about 50% of the cells, in contrast to cat and primate studies. What does this fact point to?","['The murine visual system widely differs from that of primates and cats', 'The tools used with mice are not as efficient in identifying receptive fields as those used with cats and primates', 'The tools used with mice allow the visualization and study of each single cell, whereas those used with primates and cats largely ignore inactive cells', 'The stimuli used in the murine studies do not allow for the identification of all types of receptive fields']","The tools used with mice allow the visualization and study of each single cell, whereas those used with primates and cats largely ignore inactive cells",2 +3015,15043,Life Sciences Engineering,online,Which of the following assertions concerning the primary visual cortex is true?,"['Some cells are direction selective', 'Cells are tuned for orientated bars', 'A map of orientation preference can be observed across the visual cortex', 'All of the above']",All of the above,3 +3016,15043,Life Sciences Engineering,online,What is the channelome project?,"['The systematic study of ion channels cloned in appropriate cell lines using standardized experiments', 'The systematic mapping of ion channels to cell types', 'The classification of all genes encoding ion channels in the mammalian genome', 'The study of links between diseases and mutations in ion channel genes']",The systematic study of ion channels cloned in appropriate cell lines using standardized experiments,0 +3019,15043,Life Sciences Engineering,online,The amount of information obtained by whole brain imaging for the human brain is similar to…,"['The complete works of William Shakespear', 'The printed collection of the Library of congress', 'All US academic research libraries', 'All world-wide academic research libraries']",All US academic research libraries,2 +3025,15043,Life Sciences Engineering,online,Which of the following assumptions concerning spike triplets are true?,"['The order and frequency of spike triplets are well preserved according to biological data', 'The model can reproduce the biological pattern of spike triplets', 'The model predicts that spike triplets are not influenced by the calcium concentration', 'Although predicted by the model, spike triplets could hitherto not be observed experimentally']",The order and frequency of spike triplets are well preserved according to biological data,0 +3026,15043,Life Sciences Engineering,online,In the primary visual cortex…,"['Most cells will respond only to orientations within a narrow bandwidth', 'Most cells are not tuned to a specific orientation and will respond only to all orientations', 'A cell will either be tuned to a specific orientation or respond equally to all orientations', 'Most cells are weakly tuned to a rather broad orientation bandwidth']",Most cells are weakly tuned to a rather broad orientation bandwidth,3 +3027,15043,Life Sciences Engineering,online,How is the parameter Nrel in the current equation determined?,"['It is directly determined by counting the number of release sites for each connection type', 'It is a combination of the counted number of released sites and a constant release probability', 'It is computed based on a model that estimates the release probability based on the number of release site and the facilitating or depressing nature of the synapse', 'Nrel is the probability of release of a vesicle and was measured experimentally for each connection type']",It is computed based on a model that estimates the release probability based on the number of release site and the facilitating or depressing nature of the synapse,2 +3029,15043,Life Sciences Engineering,online,You can use this template as a guide to the simple editor markdown and OLX markup to use for multiple,"['It can be used to visually estimate the number of clusters present in the data', 'For n voxels of interest, solutions for 1, 2,… n clusters will be computed in the process', 'It is not a semi-quantitative method', 'It takes the voxel location in the brain into consideration']",It can be used to visually estimate the number of clusters present in the data,0 +3031,15043,Life Sciences Engineering,online,What is an important characteristic of the dataset used for the first reconstruction?,"['It was generated in live animals', 'It was well standardized', 'It was extracted from the literature', 'It covered the whole rat brain']",It was well standardized,1 +3032,15043,Life Sciences Engineering,online,How do the results of a supercomputer algorithm detecting axo-dendritic appositions with a distance smaller than 3 μm compare to experimental results on the connection probability?,"['The results are very close', 'The algorithm detects fewer synapses than the number observed experimentally, resulting is a too low connection probability', 'The algorithm detects more synapses than the number observed experimentally, resulting is a too high connection probability', 'The connection probability is too high with a distance of 3 μm, but accurate with a larger distance']","The algorithm detects more synapses than the number observed experimentally, resulting is a too high connection probability",2 +3033,15043,Life Sciences Engineering,online,What does random access microscopy allow detecting that cannot be measured using standard two-photon microscopy?,"['Slow processes such as changes in calcium concentrations', 'Fast processes such as action potentials', 'Molecular processes such as vesicle release', 'Exogenous dyes emitting in the infrared spectrum']",Fast processes such as action potentials,1 +3133,15016,Physics,online,Spatial localization in MRI primarily relies on...,"['Distance to the receiving coil', 'Distance from the transmission coil', 'Varying magnetic field across the patient', 'Varying amplitude of RF pulse']",Varying magnetic field across the patient,2 +3135,15016,Physics,online,How to distinguish different frequencies in a signal?,"['Using the known \\(T_1\\) value', 'With Fourier series', 'With Fourier transform', 'With Radon transform']",With Fourier transform,2 +3137,15033,Physics,online,"The unsymmetrical two-site exchange A - B has an equilibrium constant K = 0.01. Under slow exchange conditions, the linewidth of a nucleus in species A is 1.0 Hz. What is the linewidth of the corresponding nucleus in species B?","['1 Hz', '10 Hz', '100 Hz', '1000 Hz']",100 Hz,2 +3139,15033,Physics,online,How many distinct chemical shifts would you expect to find in the 13C spectrum of pentane?,"['1', '2', '3', '4']",3,2 +3143,15016,Physics,online,The diffusion weighting in diffusion-weighted images is created by means of...,"['Two balanced gradients spaced in time', 'Triphasic flow compensation gradients', 'An inversion pulse', 'Two inversion pulses']",Two balanced gradients spaced in time,0 +3144,15013,Physics,online,"In SPECT, why is beam collimation employed?","['To improve contrast resolution.', 'To have better spatial resolution.', 'Because otherwise the formation of image would be impossible.', 'To limit patient exposure.']",Because otherwise the formation of image would be impossible.,2 +3146,15013,Physics,online,What is the principle advantage of CT imaging over other X-ray imaging?,"['Faster throughput', 'Improved spatial resolution', 'Decreased patient dose', 'Improved contrast resolution']",Improved contrast resolution,3 +3147,15033,Physics,online,What are the most common nuclei used in NMR?,"['1H', '3H', '98Tc', '12C', '13C']",1H,0 +3148,15013,Physics,online,One method to improve the SNR after data acquisition is to apply a __________ to the image.,"['high pass filter', 'band-pass filter', 'low pass filter']",low pass filter,2 +3149,15013,Physics,online,What is the optimal measurement time \(t_{m}\) if a signal \(S\) is given in function of time and the tissue property \(k\)?,"['\\(t_{m} = \\frac{2}{k}\\)', '\\(t_{m} = \\frac{1}{k}\\)', '\\(t_{m} = \\frac{1}{2k}\\)']",\(t_{m} = \frac{1}{2k}\),2 +3150,15013,Physics,online,"When one starts thinking, it is observed that the blood flow in the brain increases. If we consider that the metabolic rate of glucose (glucose consumption) stays (almost) constant, what happens to the glucose concentration coming out of the brain?","['It increases', 'It decreases', 'It does not change']",It increases,0 +3151,15013,Physics,online,Which of the factors below may affect refraction of ultrasound with normal incidence?,"['Propagation speeds in the media', 'US frequencies', 'Attenuation coefficients', 'None of the above']",None of the above,3 +3152,15033,Physics,online,"Which nuclide are you not able ""to see"" by NMR?","['2H', '12C', '17O', '235U']",12C,1 +3155,15013,Physics,online,Refraction only occurs if there is :,"['Normal incidence and different impedances', 'Oblique incidence and identical impedances', 'Normal incidence and different propagation speeds', 'Oblique incidence and different propagation speeds']",Oblique incidence and different propagation speeds,3 +3156,15016,Physics,online,Which of the following is/are true concerning \(T_2\) and \(T_2^*\)?,"['\\(T_2\\) is caused by atomic/molecular interactions', '\\(T_2^*\\) is the result of the combination of main magnetic field inhomogeneities and atomic/molecular interactions.', '\\(T_2\\) represents the combination of static magnetic field inhomogeneity and varying molecular magnetic field inhomogeneities.']",\(T_2\) is caused by atomic/molecular interactions,0 +3157,15013,Physics,online,"What does the term ""projection"" refer to, when considering CT?","['A data set representing X-ray attenuation in the patient', 'The way the X-ray beam is projected on the patient', 'The mathematics of image reconstruction']",A data set representing X-ray attenuation in the patient,0 +3158,15013,Physics,online,"In Compton interactions, the majority of the incoming photon energy is retained by...","['The electron removed from the atom', 'The scattered X-ray', 'The K-shell electron']",The scattered X-ray,1 +3159,15013,Physics,online,The number of Compton interactions in one gram of calcium compared to one gram of carbon ...,"['... is approximately doubled', '... is approximately the same', '... is approximately divided by two', '... depends on the photon energy']",... is approximately the same,1 +3162,15033,Physics,online,"Predict which of the ortho, meta, and para protons in methoxybenzene has the highest and which the lowest 1H chemical shift (from highest to lowest)","['meta > para > ortho', 'ortho > para > meta', 'ortho > meta > para', 'para > meta > ortho']",meta > para > ortho,0 +3163,15016,Physics,online,"In inversion recovery pulse sequence, what is the pulse added before the conventional spin echo?","['A 90-degree pulse', 'A 180-degree pulse', 'A 270-degree pulse']",A 180-degree pulse,1 +3174,15013,Physics,online,What is the mathematical technique that involves the estimation of an unknown value from values on either side of?,"['Filtering', 'Interpolation', 'Convolution', 'Summation']",Interpolation,1 +3175,15016,Physics,online,"What does ""aliasing"" refers to?","['The inadequate sampling resolution that leads to frequency or phase misregistration.', 'Frequency misregistration related to gyromagnetic differences.', 'K-space undersampling.', 'Blurred image due to patient motion.']",The inadequate sampling resolution that leads to frequency or phase misregistration.,0 +3176,15013,Physics,online,The scintillation crystals in PET scanners are commonly made of:,"['bismuth germanate (BGO)', 'lutetium oxyorthosilicate (LSO)', 'gadolinium silicate (GSO)', 'sodium iodide', 'all of the above', 'only a few of the above']",all of the above,4 +3177,15016,Physics,online,Note: Make sure you select all of the correct options—there may be more than one!,"['The echo can be recorded much more quickly in a GRE sequence', 'Chemical shifts are cancelled at the center of the GRE as they are in SE sequences', 'A spin echo is produced by two successive RF pulses whereas gradient echo is produced by one single RF pulse and a gradient reversal.']",The echo can be recorded much more quickly in a GRE sequence,0 +3178,15016,Physics,online,For what time should be applied the tranverse (xy-plane) constant magnetic field \(\vec B_1\) in order to have a flip of the magnetiztion of 90° ?,"['\\(\\frac{2\\pi}{\\gamma B_1}\\)', '\\(\\frac{\\pi}{2\\gamma B_1}\\)', '\\(\\frac{\\gamma B_1}{2\\pi}\\)', '\\(\\frac{\\pi}{\\gamma B_1}\\)']",\(\frac{\pi}{2\gamma B_1}\),1 +3180,15033,Physics,online,"Predict the total number of lines in the 1H spectrum of 1,1-dichlorocyclopropane","['0', '1', '2', '3']",1,1 +3181,15013,Physics,online,Which one of the following has the greatest amount of attenuation?,"['Bone', 'Water', 'Muscle', 'Fat']",Bone,0 +3182,15013,Physics,online,"What is called ""radiation""?","['When energy is emitted and transferred through matter.', 'When energy is emitted and transferred through light or particles.', 'When energy is emitted but not transferred through light.']",When energy is emitted and transferred through light or particles.,1 +3184,15016,Physics,online,"Diffusion MRI has become a very helpful clinical tool, e.g. for diagnosis of stroke. It uses the fact that some cell structures hinder the diffusion of water protons in a non-isotropic way, i.e. forcing them to preferably diffuse in a specific direction.","['At the time when diffusion-weighted imaging was discovered, gradient-echo was not yet invented.', 'The spin-echo sequence refocuses phase differences which are due to external magnetic field inhomogeneities.', 'The spin-echo sequence is faster which is important because the whole volume needs to be imaged many times.', ""We don't use spin-echo but gradient-echo sequences.""]",The spin-echo sequence refocuses phase differences which are due to external magnetic field inhomogeneities.,1 +3185,15016,Physics,online,What does an MRI system use to convert mathematical data into a picture?,"['RF pulse converter', 'Fourier transform', 'Electron precession equations', 'Laplace transform']",Fourier transform,1 +3190,15033,Physics,online,Why is it not possible to record a signal of 12C in NMR?,"['Carbon 12 is not an isotope of carbon', 'Spin = 0', 'Spin = -1', 'Spin = 1/2']",Spin = 0,1 +3191,15016,Physics,online,Within-slice signal localization in MRI is performed with,"['Tomography', 'Iterative reconstruction', 'Fourier transform', 'Selective excitation', 'Radon transform']",Fourier transform,2 +3197,15016,Physics,online,When is the phase-encoding gradient turned on?,"['During excitation', 'During slice-selection', 'During frequency-encoding', 'Prior to readout', 'During readout']",Prior to readout,3 +3200,15013,Physics,online,After annihilation of a positron by an electron...,"['...both the electron and positron lose energy and are attenuated.', '...two 511-keV photons traveling in opposite directions are released.', '...two photons are released at 90 degrees to each other.', 'None of the above.']",...two 511-keV photons traveling in opposite directions are released.,1 +3201,15013,Physics,online,"At cellular level, PET technique can be used to...","['...image gene expression.', '...measure a lot of different biochemical transformations.', '...measure different kind of enzymatic reaction.']",...image gene expression.,0 +3206,15013,Physics,online,Which three steps are involved in the formation of CT?,"['Image reconstruction, electron beam manipulation and microwave attenuation', 'Image display, anatomical border construction and microwave display of structures', 'Data acquisition, image reconstruction, and image display', 'None of the above']","Data acquisition, image reconstruction, and image display",2 +3208,15016,Physics,online,Natural frequency of precession and Larmor frequency are...,"['Different names for the same frequency', 'Two different frequencies']",Different names for the same frequency,0 +3209,15013,Physics,online,What is the effect of increased image noise?,"['Increased contrast resolution', 'Decreased contrast resolution', 'Improved image quality']",Decreased contrast resolution,1 +3210,15013,Physics,online,How is called a change in the direction of the x-ray with no change in its energy?,"['Rayleigh (coherent) scattering', 'Photodisintegration', 'Compton effect']",Rayleigh (coherent) scattering,0 +3211,15016,Physics,online,What is the difference of \(T_2^*\) compared to \(T_2\)?,"['An extra 90° pulse', 'Spin-lattice interactions', 'Dependence on the homogeneities of the main magnetic field', 'A longer TE']",Dependence on the homogeneities of the main magnetic field,2 +3213,15016,Physics,online,With which type of MRI imaging sequence are \(T_2^*\) effects mainly reversed?,"['Spin echo sequence', 'Gradient echo sequence']",Spin echo sequence,0 +3215,15013,Physics,online,"After image reconstruction, Computed Tomography (CT) results in...","['An analog image', 'A linear image', 'A digital image', 'An image in time', 'A curvilinear image']",A digital image,2 +3217,15016,Physics,online,In what manner does the Fourier transform analyze signals? The samples over time are separated...,"['into amplitudes and reported by their phase', 'into frequencies and reported by their amplitudes', 'into amplitudes and reported by their frequencies', 'into phases and reported by their amplitudes']",into frequencies and reported by their amplitudes,1 +3219,15016,Physics,online,Protons in different molecules differ in all of the following ways except...,"['Relaxation time \\(T_1\\)', 'Relaxation time \\(T_2\\)', 'Gyromagnetic ratio', 'Precession frequency']",Gyromagnetic ratio,2 +3220,15033,Physics,online,1H and 13C NMR spectra were recorded for two isomers of C3H2Cl6. Both 13C spectra contain peaks at three distinct chemical shifts. Isomer 1 has one distinct 1H chemical shift and isomer 2 has two. Deduce the structures of the two compounds.,"['1: C(Cl3)-CH2-C(Cl3) and 2: C(Cl3)-CHCl-CH(Cl2)', '1: C(Cl3)-CHCl-CH(Cl2) and 2: C(Cl3)-C(Cl2)-CH2(Cl)', '1: C(Cl3)-C(Cl2)-CH2(Cl) and 2:C(Cl3)-CHCl-CH(Cl2)', '1: C(Cl3)=C=C(Cl3) and 2: C(Cl3)-CH2-C(Cl3)']",1: C(Cl3)-C(Cl2)-CH2(Cl) and 2:C(Cl3)-CHCl-CH(Cl2),2 +3222,15016,Physics,online,What is a RF pulse?,"['A radio wave applied for a small amount of time', 'A magnetic field gradient', 'A magnetic field oscillating at radiofrequency']",A magnetic field oscillating at radiofrequency,2 +3226,15016,Physics,online,Which of the following sentences is (are) correct ?,"['The chemical shift of the reference compound is equal to 0', 'The chemical shift of the reference compound is equal to 1', 'The chemical shift increases with increasing electronegativity', 'The chemical shift decreases with increasing electronegativity', 'There is no strict correlation between electronegativity and chemical shift.']",The chemical shift of the reference compound is equal to 0,0 +3230,15033,Physics,online,A nuclide has a NMR frequency of 76 MHz in a 17.6 Tesla magnetic field. Identify the nuclide,"['1H', '13C', '14N', '15N']",15N,3 +3331,15127,Computer Science,master,"Which of the following functions reaches a global maximum on the set $I$? (Note that $[.,.]$ and $(.,.)$ denote closed and open intervals respectively) + $f_1(x) = -x^4$, $I = [-5,5]$ + $f_2(x) = rccos(x)$, $I = (-1,1)$ + $f_3(x) = x \exp(-x)$, $I = (-\infty, 0)$ + $f_4(x) = \sin(\cos(x))\sin(x)$, $I= \R_+$","['$f_1, f_2, f_3, f_4', '$f_1, f_4$', '$f_1, f_3, f_4$', '$f_1, f_2, f_4$']","$f_1, f_4$",1 +3333,15127,Computer Science,master,Consider a classification problem on linearly separable data. We train an SVM model and a logistic regression model. For logistic regression (LR) we add a small regularization term (penalty on weights) in order to make the optimum well-defined. Each model gives us a margin. Consider a datapoint $\mathbf{x}_{0}$ that is correctly classified and strictly outside both margins Which one of the following statements is incorrect ?,"['There exists a direction in which we can slightly move $\\mathbf{x}_{0}$ without changing the LR decision boundary after retraining.', ""$\\mathbf{x}_{0}$ isn't a support vector"", 'There exists a direction in which we can arbitrarily move $\\mathbf{x}_{0}$ without changing the SVM decision boundary after retraining.', 'If we remove $\\mathbf{x}_{0}$ from the dataset and retrain, this will change the LR decision boundary.', 'If we remove $\\mathbf{x}_{0}$ from the dataset and retrain, this will not change the SVM decision boundary.']",There exists a direction in which we can slightly move $\mathbf{x}_{0}$ without changing the LR decision boundary after retraining.,0 +3334,15127,Computer Science,master,"Consider a learning algorithm that has the property that it depends only very weakly on the input data. E.g., this could be SGD where we choose a very small step size and only run for very few iterations. To go to the extreme, you can imagine a learning algorithm that always outputs the same model irrespective of the training set. Presumably such a learning algorithm will not give us good results. Why is that?","['(a) Such a learning algorithm typically has a much larger generalization error than training error.', '(b) Such a learning algorithm typically has a large bias.', '(c) Such a learning algorithm is prone to overfitting.']",(b) Such a learning algorithm typically has a large bias.,1 +3336,15127,Computer Science,master,"We consider a classification problem on linearly separable data. Our dataset had an outlier---a point that is very far from the other datapoints in distance (and also far from margins in SVM but still correctly classified by the SVM classifier). + We trained the SVM, logistic regression and 1-nearest-neighbour models on this dataset. + We tested trained models on a test set that comes from the same distribution as training set, but doesn't have any outlier points. + For any vector $ v \in \R^D$ let $\| v\|_2 := \sqrt{v_1^2 + \dots + v_D^2}$ denote the Euclidean norm. The hard-margin SVM problem for linearly separable points in $\R^D$ is to minimize the Euclidean norm $\| \wv \|_2$ under some constraints. + What are the additional constraints for this optimization problem? ","['$y_n \\ww^\top x_n \\geq 1 ~ \x0corall n \\in \\{1,\\cdots,N\\}$', '$\\ww^\top x_n \\geq 1 ~ \x0corall n \\in\\{1,\\cdots,N\\}$', '$y_n + \\ww^\top x_n \\geq 1 ~ \x0corall n \\in \\{1,\\cdots,N\\}$', '$\x0crac{y_n}{\\ww^\top x_n }\\geq 1 ~\x0corall n \\in \\{1,\\cdots,N\\}$']","$y_n \ww^ op x_n \geq 1 ~ orall n \in \{1,\cdots,N\}$",0 +3337,15127,Computer Science,master,Fitting a Gaussian Mixture Model with a single Gaussian ($K=1$) will converge after one step of Expectation-Maximization.,"['True', 'False']",True,0 +3338,15127,Computer Science,master,"Assume that we have a data matrix $\mathbf{X}$ of dimension $D \times N$ as usual. Suppose that its SVD is of the from $\mathbf{X}=\mathbf{U S V}^{\top}$, where $\mathbf{S}$ is a diagonal matrix with $s_{1}=N$ and $s_{2}=s_{3}=\cdots=s_{D}=1$. Assume that we want to compress the data from $D$ to 1 dimensions via a linear transform represented by a $1 \times D$ matrix $\mathbf{C}$ and reconstruct then via $D \times 1$ matrix $R$. Let $\hat{\mathbf{X}}=\mathbf{R} \mathbf{C X}$ be the reconstruction. What is the smallest value we can achieve for $\|\mathbf{X}-\hat{\mathbf{X}}\|_{F}^{2}$ ?","['(a) $D$', '(b) $D-1$', '(c) $N-D$', '(d) $N-D+1$', '(e) $N-D-1$', '(f) $N-1$', '(g) $N$']",(b) $D-1$,1 +3339,15127,Computer Science,master,"The primal formulation of the soft-margin SVM is NOT equivalent to $\ell_2$ adversarial training for a linear model trained with the hinge loss ($\ell(z) = \max\{0, 1 - z\}$).","['True', 'False']",True,0 +3341,15127,Computer Science,master,"[Gradient for convolutional neural nets] Let $f(x, y, z, u, v, w)=3 x y z u v w+x^{2} y^{2} w^{2}-7 x z^{5}+3 y v w^{4}$. What is $$ \left.\left[\frac{\partial f}{\partial x}+\frac{\partial f}{\partial y}+\frac{\partial f}{\partial z}+\frac{\partial f}{\partial u}+\frac{\partial f}{\partial v}+\frac{\partial f}{\partial w}\right]\right|_{x=y=z=u=v=w=1} ? $$","['(a) $-4$', '(b) $-3$', '(c) $-2$', '(d) $-1$', '(e) $ 0$', '(f) $ 1$', '(g) $ 2$', '(h) $ 3$', '(i) $ 4$']",(e) $ 0$,4 +3342,15127,Computer Science,master,"Let $\xv, \wv, \deltav \in \R^d$, $y \in \{-1, 1\}$, and $ arepsilon \in \R_{>0}$ be an arbitrary positive value. Which of the following is NOT true in general:","['$\x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} \\log_2(1 + \\exp(-y \\wv^\top (\\xv + \\deltav))) = \x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} \\exp(-y \\wv^\top (\\xv + \\deltav ))$ ', '$\x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} \\log_2(1 + \\exp(-y \\wv^\top (\\xv + \\deltav))) = \x07rgmin_{\\|\\deltav\\|_2 \\leq \x0barepsilon} y \\wv^\top (\\xv + \\deltav )$', '$\x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} \\log_2(1 + \\exp(-y \\wv^\top (\\xv + \\deltav))) = \x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} 1 - \tanh(y \\wv^\top (\\xv + \\deltav))$ \\ where $\tanh(z) = \x0crac{e^z - e^{-z}}{e^z + e^{-z}}$', '$\x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} \\log_2(1 + \\exp(-y \\wv^\top (\\xv + \\deltav))) = \x07rgmax_{\\|\\deltav\\|_2 \\leq \x0barepsilon} \\mathbf{1}_{y \\wv^\top (\\xv + \\deltav) \\leq 0}$']",$rgmax_{\|\deltav\|_2 \leq arepsilon} \log_2(1 + \exp(-y \wv^ op (\xv + \deltav))) = rgmax_{\|\deltav\|_2 \leq arepsilon} \mathbf{1}_{y \wv^ op (\xv + \deltav) \leq 0}$,3 +3343,15127,Computer Science,master,"You have data with lots of outliers. Everything else being equal, and assuming that you do not do any pre-processing, what cost function will be less effected by these outliers?","['(a) $(y-f(x))^{2}(\\mathrm{MSE})$', '(b) $|y-f(x)|(\\mathrm{MAE})$']",(b) $|y-f(x)|(\mathrm{MAE})$,1 +3344,15127,Computer Science,master," Consider a binary classification task as in Figure~\AMCref{fig:lr_data}, which consists of 14 two-dimensional linearly separable samples (circles corresponds to label $y=1$ and pluses corresponds to label $y=0$). We would like to predict the label $y=1$ of a sample $(x_1, x_2)$ when the following holds true + \[ + \prob(y=1|x_1, x_2, w_1, w_2) = rac{1}{1+\exp(-w_1x_1 -w_2x_2)} > 0.5 + \] + where $w_1$ and $w_2$ are parameters of the model. + If we obtain the $(w_1, w_2)$ by optimizing the following objective + $$ + - \sum_{n=1}^N\log \prob(y_n| x_{n1}, x_{n2}, w_1, w_2) + rac{C}{2} w_2^2 + $$ + where $C$ is very large, then the decision boundary will be close to which of the following lines? + ","['$x_1 + x_2 = 0$', '$x_1 - x_2 = 0$', '$x_1 = 0$', '$x_2 = 0$']",$x_1 = 0$,2 +3345,15127,Computer Science,master,Which of the following statements is true about nearest neighbor classifiers:,"['Nearest neighbors can be slow to find in high-dimensional spaces. ', 'Nearest neighbor classifiers do not need to store the training data.', 'Nearest neighbor classifiers can only work with the Euclidean distance.', 'None of the other answers.']",Nearest neighbors can be slow to find in high-dimensional spaces. ,0 +3347,15127,Computer Science,master,"Consider the function $f: \R o \R$, $f(x) = \lvert x - 2023 vert$. A subgradient of $f$ at $x = 2023$ exists extbf{and} is unique.","['True', 'False']",False,1 +3349,15127,Computer Science,master,(Linear or Logistic Regression) Suppose you are given a dataset of tissue images from patients with and without a certain disease. You are supposed to train a model that predicts the probability that a patient has the disease. It is preferable to use logistic regression over linear regression.,"['True', 'False']",True,0 +3350,15127,Computer Science,master,"(SGD \& Matrix Factorization) For optimizing a matrix factorization problem in the recommender systems setting, as the number of observed entries increases, the computational cost of full gradient steps increases, while the cost of an SGD step remains the same.","['True', 'False']",True,0 +3352,15127,Computer Science,master,Identify the correct statement.,"['None of the other options are correct.', 'After training, and when the size of the vocabulary is large, a Skip-gram model would have higher space requirements than a GloVe model. We assume both models have the same number of dimensions (features), vocabulary, and are trained on the same corpus.', 'Language models can be trained using either a multi-class(number of classes equal to the vocabulary size) classifier or a binary classifier to generate text.', 'Language Models are useless for classification tasks in Natural Language Processing as they are only suited for text generation.']",Language models can be trained using either a multi-class(number of classes equal to the vocabulary size) classifier or a binary classifier to generate text.,2 +3353,15127,Computer Science,master,"Consider a binary classification problem with classifier $f(\mathbf{x})$ given by $$ f(\mathbf{x})= \begin{cases}1, & g(\mathbf{x}) \geq 0 \\ -1, & g(\mathbf{x})<0\end{cases} $$ and $\mathbf{x} \in \mathbb{R}^{6}$. Consider a specific pair $(\mathbf{x}, y=1)$ and assume that $g(\mathbf{x})=8$. In particular this means that this point is classified correctly by $f$. Assume further that we have computed the gradient of $g$ at $\mathbf{x}$ to be $\nabla_{\mathbf{x}} g(\mathbf{x})=(+1,-2,+3,-4,+5,-6)$. You are allowed to make one step in order to (hopefully) find an adversarial example. In the following four questions, assume $\epsilon=1$. Which offset $\delta$ with $\|\delta\|_{1} \leq 1$ yields the smallest value for $g(\mathbf{x}+\delta)$, assuming that $g$ is (locally) linear?","['$(0,0,0,0,0,1)$', '$(+1,-1,+1,-1,+1,-1)$', '$(+1,-2,+3,-4,+5,-6)$', '$(+1,+1,+1,+1,+1,+1)$', '$(-1,+2,-3,+4,-5,+6)$', '$(0,0,0,0,0,1)$', '$(-1,+1,-1,+1,-1,+1)$', '$(-1,-1,-1,-1,-1,-1)$']","$(0,0,0,0,0,1)$",0 +3355,15127,Computer Science,master,You are performing classification in $d$ dimensions (where $d$ is very large) using a $k$-nearest neighbor classifier. You have $N$ training samples and get an acceptable performance. Your boss hands you a similar classification task but in $2 d$ dimensions. How many training samples will you need to get a comparable performance? Make an educated guess.,"['$2 N$', '$e^N$', '$N^2$', '$\\sqrt{d}$', '$e^d$', '$\\sqrt{N}$', '$\\log (N)$', '$d^2$', '$\\log (d)$']",$N^2$,2 +3356,15127,Computer Science,master,"Antonyms, such as ""hot"" and ""cold"", have very different context words.","['True', 'False']",False,1 +3357,15127,Computer Science,master,"Consider a linear model $\hat{y} = xv ^ op \wv$ with the squared loss under an $\ell_\infty$-bounded adversarial perturbation. For a single point $(xv, y)$, it corresponds to the following objective: + egin{align} + \max_{ ilde{xv}:\ \|xv- ilde{xv}\|_\infty\leq \epsilon} \left(y - ilde{xv} ^ op \wv ight)^{2}, + ag{OP}\AMClabel{eq:opt_adv_regression} + \end{align} + where $\|xv- ilde{xv}\|_\infty\leq \epsilon$ denotes the $\ell_\infty$-norm, i.e. $|x_i - ilde{x}_i| \leq arepsilon$ for every $i$. + \ + Assume that $\wv = (3, -2)^ op$, $xv = (-1, 2)^ op$, $y=2$. What is the optimal $ ilde{xv}^\star$ that maximizes the objective in Eq.~(\AMCref{eq:opt_adv_regression})? + ","['$(-1-\x0barepsilon, 2-\x0barepsilon)^\top$', '$(-1-\x0barepsilon, 2)^\top$', '$(-1+\x0barepsilon, 2)^\top$', '$(-1+\x0barepsilon, 2+\x0barepsilon)^\top$', 'Other']",Other,4 +3358,15127,Computer Science,master,"Let $f:\R^D ightarrow\R$ be an $L$-hidden layer multi-layer perceptron (MLP) such that + \[ + f(xv)=\sigma_{L+1}ig(\wv^ op\sigma_L(\Wm_L\sigma_{L-1}(\Wm_{L-1}\dots\sigma_1(\Wm_1xv)))ig), + \] + with $\wv\in\R^{M}$, $\Wm_1\in\R^{M imes D}$ and $\Wm_\ell\in\R^{M imes M}$ for $\ell=2,\dots, L$, and $\sigma_i$ for $i=1,\dots,L+1$ is an entry-wise activation function. For any MLP $f$ and a classification threshold $ au$ let $C_{f, au}$ be a binary classifier that outputs YES for a given input $xv$ if $f(xv) \leq au$ and NO otherwise. space{3mm} + Which of the following techniques do \emph{not} improve the generalization performance in deep learning? + ","['Data augmentation', 'L2 regularization', 'Dropout', 'Tuning the optimizer', 'None. All techniques here improve generalization.']",None. All techniques here improve generalization.,4 +3359,15127,Computer Science,master,What is the gradient of $\mathbf{x}^{\top} \mathbf{W} \mathbf{x}$ with respect to all entries of $\mathbf{W}$ (written as a matrix)?,"['(a) $\\mathbf{W} \\mathbf{x}$', '(b) $\\mathbf{W}^{\\top} \\mathbf{x}$', '(c) $\\square\\left(\\mathbf{W}+\\mathbf{W}^{\\top}\\right) \\mathbf{x}$.', '(d) $\\mathbf{W}$', '(e) $\\mathbf{x} \\mathbf{x}^{\\top}$.', '(f) $\\mathbf{x}^{\\top} \\mathbf{x}$', '(g) $\\mathbf{W} \\mathbf{W}^{\\top}$.']",(e) $\mathbf{x} \mathbf{x}^{\top}$.,4 +3363,15127,Computer Science,master,"Given a matrix $\Xm$ of shape $D imes N$ with a singular value decomposition (SVD), $X=USV^ op$, suppose $\Xm$ has rank $K$ and $\Am=\Xm\Xm^ op$. + Which one of the following statements is extbf{false}?","['The eigenvalues of A are the singular values of X', 'A is positive semi-definite, i.e all eigenvalues of A are non-negative', 'The eigendecomposition of A is also a singular value decomposition (SVD) of A', 'A vector $v$ that can be expressed as a linear combination of the last $D-K$ columns of $U$, i.e $x=\\sum_{i=K+1}^{D} w_{i}u_{i}$ (where $u_{i}$ is the $i$-th column of $U$\n\t\t), lies in the null space of $X^\top$']",The eigenvalues of A are the singular values of X,0 +3365,15127,Computer Science,master,"Assume we have $N$ training samples $(\xx_1, y_1), \dots, (\xx_N, y_N)$ where for each sample $i \in \{1, \dots, N\}$ we have that $\xx_i \in \R^d$ and $y_i \in \R$. For $\lambda \geq 0$, we consider the following loss: + L_{\lambda}(\ww) = rac{1}{N} \sum_{i = 1}^N (y_i - \xx_i^ op \ww)^2 + \lambda \Vert \ww \Vert_2, and let $C_\lambda = \min_{\ww \in \R^d} L_{\lambda}(\ww)$ denote the optimal loss value. + Which of the following statements is extbf{true}:","['For $\\lambda = 0$, the loss $L_{0}$ is convex and has a unique minimizer.', '$C_\\lambda$ is a non-increasing function of $\\lambda$.', '$C_\\lambda$ is a non-decreasing function of $\\lambda$.', 'None of the statements are true.']",$C_\lambda$ is a non-decreasing function of $\lambda$.,2 +3366,15127,Computer Science,master,"In the setting of EM, where $x_{n}$ is the data and $z_{n}$ is the latent variable, what quantity is called the posterior?","['(a) $\\square p\\left(\\mathbf{x}_{n} \\mid z_{n}, \\boldsymbol{\\theta}\\right)$', '(b) $\\square p\\left(\\mathbf{x}_{n}, z_{n} \\mid \\boldsymbol{\\theta}\\right)$', '(c) $\\square p\\left(z_{n} \\mid \\mathbf{x}_{n}, \\boldsymbol{\\theta}\\right)$']","(c) $\square p\left(z_{n} \mid \mathbf{x}_{n}, \boldsymbol{\theta}\right)$",2 +3367,15127,Computer Science,master,Which of the following statements is correct?,"['(a) A neural net with one hidden layer and an arbitrary number of hidden nodes with sigmoid activation functions can approximate any ""suffiently smooth"" function.', '(b) A neural net with one hidden layer and an arbitrary number of hidden nodes with sigmoid activation functions can approximate any ""suffiently smooth"" function on a bounded domain.', '(c) On a bounded domain, neural nets can approximate any ""sufficiently smooth"" function ""in average"" but not ""pointwise"".']","(c) On a bounded domain, neural nets can approximate any ""sufficiently smooth"" function ""in average"" but not ""pointwise"".",2 +3368,15127,Computer Science,master,Which statement about extit{black-box} adversarial attacks is true:,"['They require access to the gradients of the model being attacked. ', 'They are highly specific and cannot be transferred from a model which is similar to the one being attacked.', 'They cannot be implemented via gradient-free (e.g., grid search or random search) optimization methods.', 'They can be implemented using gradient approximation via a finite difference formula.']",They can be implemented using gradient approximation via a finite difference formula.,3 +3369,15127,Computer Science,master,"Assume we are doing linear regression with Mean-Squared Loss and L2-regularization on four one-dimensional data points. Our prediction model can be written as $f(x) = ax + b$ and the optimization problem can be written as $$a^\star, b^\star = { extup{argmin}}_{a,b} \sum_{n=1}^4 [y_n - f(x_n)]^2 + \lambda a^2.$$ + Assume that our data points are $Y = [1, 3, 2, 4]$ and $X = [-2, -1, 0, 3]$. For example $y_1 = 1$ and $x_1 = -2$. What is the optimal value for the bias, $b^\star$? ","['2', '2.5', '3', 'Depends on the value of $\\lambda$', 'None of the above answers']",2,0 +3370,15127,Computer Science,master,"Let $f_{\mathrm{MLP}}: \mathbb{R}^{d} \rightarrow \mathbb{R}$ be an $L$-hidden layer multi-layer perceptron (MLP) such that $$ f_{\mathrm{MLP}}(\mathbf{x})=\mathbf{w}^{\top} \sigma\left(\mathbf{W}_{L} \sigma\left(\mathbf{W}_{L-1} \ldots \sigma\left(\mathbf{W}_{1} \mathbf{x}\right)\right)\right) $$ with $\mathbf{w} \in \mathbb{R}^{M}, \mathbf{W}_{1} \in \mathbb{R}^{M \times d}$ and $\mathbf{W}_{\ell} \in \mathbb{R}^{M \times M}$ for $\ell=2, \ldots, L$, and $\sigma$ is an entry-wise activation function. Also, let $f_{\mathrm{CNN}}: \mathbb{R}^{d} \rightarrow \mathbb{R}$ be an $L^{\prime}$-hidden layer convolutional neural network (CNN) such that $$ f_{\mathrm{CNN}}(\mathbf{x})=\mathbf{w}^{\top} \sigma\left(\mathbf{w}_{L^{\prime}} \star \sigma\left(\mathbf{w}_{L^{\prime}-1} \star \ldots \sigma\left(\mathbf{w}_{1} \star \mathbf{x}\right)\right)\right) $$ with $\mathbf{w} \in \mathbb{R}^{d}, \mathbf{w}_{\ell} \in \mathbb{R}^{K}$ for $\ell=1, \ldots, L^{\prime}$ and $\star$ denoting the one-dimensional convolution operator with zero-padding, i.e., output of the convolution has the same dimensionality as the input. For each CNN neural network of the above form, there exists an MLP of the form $f_{\mathrm{MLP}}$ that can approximate $f_{\mathrm{CNN}}$ arbitrarily well, if","['$L=L^{\\prime}$ and $M=d$', '$L>L^{\\prime}$ and $M>K$', 'another necessary condition different from these three.', '$\\sigma$ is a sigmoidal activation function.']",$L=L^{\prime}$ and $M=d$,0 +3371,15127,Computer Science,master,You are in $D$-dimensional space and use a KNN classifier with $k=1$. You are given $N$ samples and by running experiments you see that for most random inputs $\mathbf{x}$ you find a nearest sample at distance roughly $\delta$. You would like to decrease this distance to $\delta / 2$. How many samples will you likely need? Give an educated guess.,"['$2^D N$', '$N^D$', '$2 D$', '$\\log (D) N$', '$N^2$', '$D^2$', '$2 N$', '$D N$']",$2^D N$,0 +3372,15127,Computer Science,master,Consider the function $f(x)=-x^{2}$. Which of the following statements are true regarding subgradients of $f(x)$ at $x=0$ ?,"['A subgradient does not exist as $f(x)$ is differentiable at $x=0$.', 'A subgradient exists but is not unique.', 'A subgradient exists and is unique.', 'A subgradient does not exist even though $f(x)$ is differentiable at $x=0$.']",A subgradient does not exist even though $f(x)$ is differentiable at $x=0$.,3 +3373,15127,Computer Science,master,"What is the derivative of $\boldsymbol{W} \boldsymbol{W}$ with respect to $\boldsymbol{W}_{i, j}$, where $\boldsymbol{W}$ is an $n \times n$ matrix.","['$W_{i, j}$', 'add to the $n \\times n$ all-zero matrix the $j$-th row of $\\boldsymbol{W}$ and the $i$-th column of $\\boldsymbol{W}$', 'the vector of length $n$ equal to the sum of the $j$-th row of $\\boldsymbol{W}$ and the $i$-th column of $\\boldsymbol{W}$', '$\\boldsymbol{W}+\\boldsymbol{W}^{\\top}$', '$\\boldsymbol{W}_{i, j}^{2}$']",add to the $n \times n$ all-zero matrix the $j$-th row of $\boldsymbol{W}$ and the $i$-th column of $\boldsymbol{W}$,1 +3374,15127,Computer Science,master,"K-means can be equivalently written as the following Matrix Factorization $$ \begin{aligned} & \min _{\mathbf{z}, \boldsymbol{\mu}} \mathcal{L}(\mathbf{z}, \boldsymbol{\mu})=\left\|\mathbf{X}-\mathbf{M} \mathbf{Z}^{\top}\right\|_{\text {Frob }}^{2} \\ & \text { s.t. } \boldsymbol{\mu}_{k} \in \mathbb{R}^{D}, \\ & z_{n k} \in \mathbb{R}, \sum_{k=1}^{K} z_{n k}=1 . \end{aligned} $$","['(a) yes', '(b) no']",(b) no,1 +3375,15127,Computer Science,master,"Recall that we say that a kernel $K: \R imes \R ightarrow \R $ is + valid if there exists $k \in \mathbb{N}$ and $\Phi: \R ightarrow \R^k$ + such that for all $(x, x') \in \R imes \R $, $K(x, x') = \Phi(x)^ op \Phi(x')$. The kernel $K(x, x') = \cos(x + x')$ is a valid kernel.","['True', 'False']",False,1 +3376,15127,Computer Science,master,(Adversarial perturbations for linear models) Suppose you are given a linear classifier with the logistic loss. Is it true that generating the optimal adversarial perturbations by maximizing the loss under the $\ell_{2}$-norm constraint on the perturbation is an NP-hard optimization problem?,"['True', 'False']",False,1 +3377,15127,Computer Science,master,Consider a linear regression problem with $N$ datapoints and $D$ features. Finding the optimal parameters by running grid search while trying $P$ values for each feature has approximately the same computational complexity as running:,"['$P$ iterations of Gradient Descent or $N P$ iterations of Stochastic Gradient Descent.', '$N P^{D}$ iterations of Gradient Descent or $P^{D}$ iterations of Stochastic Gradient Descent.', '$P^{D}$ iterations of Gradient Descent or $N P^{D}$ iterations of Stochastic Gradient Descent.', '$P$ iterations of Gradient Descent or $N P D$ iterations of Stochastic Gradient Descent.']",$P^{D}$ iterations of Gradient Descent or $N P^{D}$ iterations of Stochastic Gradient Descent.,2 +3379,15127,Computer Science,master,"In principal component analysis, the left singular vectors $\mathbf{U}$ of a data matrix $\mathbf{X}$ of shape ( $d$ features, $n$ datapoints) are used to create a new data matrix $\mathbf{X}^{\prime}=\mathbf{U}^{\top} \mathbf{X}$. Which property always holds for the matrix $\mathbf{X}^{\prime}$ ?","['$\\mathbf{X}^{\\prime}$ is a square matrix.', 'The mean of any row $\\mathbf{X}_{i}^{\\prime}$ is 0 .', '$\\mathbf{X}^{\\prime}$ has only positive values.', 'For any two rows $i, j(i \\neq j)$ from $\\mathbf{X}^{\\prime}$, the dot product between the rows $\\mathbf{X}_{i}^{\\prime}$ and $\\mathbf{X}_{j}^{\\prime}$ is 0 .']","For any two rows $i, j(i \neq j)$ from $\mathbf{X}^{\prime}$, the dot product between the rows $\mathbf{X}_{i}^{\prime}$ and $\mathbf{X}_{j}^{\prime}$ is 0 .",3 +3380,15127,Computer Science,master,"Consider a binary classification problem with a linear classifier $f(\mathbf{x})$ given by $$ f(\mathbf{x})= \begin{cases}1, & \mathbf{w}^{\top} \mathbf{x} \geq 0 \\ -1, & \mathbf{w}^{\top} \mathbf{x}<0\end{cases} $$ where $\mathbf{x} \in \mathbb{R}^{3}$. Suppose that the weights of the linear model are equal to $\mathbf{w}=(4,0,-3)$. For the next two questions, we would like to find a minimum-norm adversarial example. Specifically, we are interested in solving the following optimization problem, for a given $\mathbf{x}$ : $$ \min _{\boldsymbol{\delta} \in \mathbb{R}^{3}}\|\boldsymbol{\delta}\|_{2} \quad \text { subject to } \quad \mathbf{w}^{\top}(\mathbf{x}+\boldsymbol{\delta})=0 $$ This leads to the point $\mathbf{x}+\boldsymbol{\delta}$ that lies exactly at the decision boundary and the perturbation $\boldsymbol{\delta}$ is the smallest in terms of the $\ell_{2}$-norm. What is the optimum $\delta^{\star}$ that minimizes the objective in Eq. (OP) for the point $\mathbf{x}=$ $(-1,3,2) ?$","['$(1,-1,0)$', '$(0,-1,1)$', '$(-2,0,0)$', '$(1.2,0,1.6)$', 'Other', '$(0,2,0)$', '$(-1.2,0,1.6)$']",Other,4 +3381,15127,Computer Science,master,"(Linear Regression) You are given samples $\mathcal{S}=\left\{\left(\mathbf{x}_{n}, y_{n}\right)\right\}_{n=1}^{N}$ where $\mathbf{x}_{n} \in \mathbb{R}^{D}$ and $y_{n}$ are scalar values. You are solving linear regression using normal equations. You will always find the optimal weights with 0 training error in case of $N \leq D$.","['True', 'False']",False,1 +3385,15127,Computer Science,master,"Which of the following transformations to the data matrix $\mathbf{X}$ will affect the principal components obtained through PCA? + ","['Adding an extra feature that is constant across all data points.', 'Multiplying one of the features of $\\mathbf{X}$ by a constant.', 'Adding a constant value to all elements of $\\mathbf{X}$.', 'None of the other options.']",Multiplying one of the features of $\mathbf{X}$ by a constant.,1 +3390,15127,Computer Science,master,(Robustness) The $l_{1}$ loss is less sensitive to outliers than $l_{2}$.,"['True', 'False']",True,0 +3393,15127,Computer Science,master,"Consider a binary classification problem with classifier $f(\mathbf{x})$ given by $$ f(\mathbf{x})= \begin{cases}1, & g(\mathbf{x}) \geq 0 \\ -1, & g(\mathbf{x})<0\end{cases} $$ and $\mathbf{x} \in \mathbb{R}^{6}$. Consider a specific pair $(\mathbf{x}, y=1)$ and assume that $g(\mathbf{x})=8$. In particular this means that this point is classified correctly by $f$. Assume further that we have computed the gradient of $g$ at $\mathbf{x}$ to be $\nabla_{\mathbf{x}} g(\mathbf{x})=(+1,-2,+3,-4,+5,-6)$. You are allowed to make one step in order to (hopefully) find an adversarial example. In the following four questions, assume $\epsilon=1$. Which offset $\delta$ with $\|\delta\|_{\infty} \leq 1$ yields the smallest value for $g(\mathbf{x}+\delta)$, assuming that $g$ is (locally) linear?","['$(+1,-2,+3,-4,+5,-6)$', '$-(0,0,0,0,0,1)$', '$(0,0,0,0,0,1)$', '$(-1,-1,-1,-1,-1,-1)$', '$(+1,+1,+1,+1,+1,+1)$', '$(-1,+1,-1,+1,-1,+1)$', '$(+1,-1,+1,-1,+1,-1)$', '$(-1,+2,-3,+4,-5,+6)$']","$(-1,+1,-1,+1,-1,+1)$",5 +3396,15127,Computer Science,master,"A neural network has been trained for multi-class classification using cross-entropy but has not necessarily achieved a global or local minimum on the training set. + The output of the neural network is $\mathbf{z}=[z_1,\ldots,z_d]^ op$ obtained from the penultimate values $\mathbf{x}=[x_1,\ldots,x_d]^ op$ via softmax $z_k= rac{\exp(x_k)}{\sum_{i}\exp(x_i)}$ that can be interpreted as a probability distribution over the $d$ possible classes. + The cross-entropy is given by $H(\mathbf{y},\mathbf{z})=-\sum_{i=1}^{d} y_i \ln{z_i}$ where $\mathbf{y}$ is one-hot encoded meaning the entity corresponding to the true class is 1 and other entities are 0. + + We now modify the neural network, either by scaling $\mathbf{x} \mapsto lpha \mathbf{x}$ where $lpha \in \R_{>0}$ or through a shift $\mathbf{x} \mapsto \mathbf{x} + b\mathbf{1}$ where $b \in \R$. + The modified $\mathbf{x}$ values are fed into the softmax to obtain the final output and the network / parameters are otherwise unchanged. + How do these transformations affect the training accuracy of the network? ","['One transformation has no effect, the other one decreases the accuracy in some cases (but never increases it).', 'One transformation has no effect, the other sometimes increases and sometimes decreases the accuracy.', 'Neither transformation affects the accuracy.', 'Both transformations decrease the accuracy in some cases (but never increase it).', 'Both transformations sometimes increase and sometimes decrease the accuracy.']",Neither transformation affects the accuracy.,2 +3397,15127,Computer Science,master,"Assume that we have a convolutional neural net with $L$ layers, $K$ nodes per layer, and where each node is connected to $k$ nodes in a previous layer. We ignore in the sequel the question of how we deal with the points at the boundary and assume that $k<<