Edited, memorised or added to reading queue

on 17-May-2017 (Wed)

Do you want BuboFlash to help you learning these things? Click here to log in or create user.

Flashcard 1453418482956

Tags
#every-word-has-power
Question
“Mirror” neurons are active when a monkey or human is watching someone’s actions: quite possibly the neural beginnings of [...]
Answer
establishing “rapport,”

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Open it
“Mirror” neurons are active when a mon- key or human is watching someone’s actions: quite possibly the neural beginnings of establishing “rapport,”







Flashcard 1455301987596

Tags
#bayes #programming #r #statistics
Question
What are factors?
Answer
Factors are a type of vector in R where the elements are discrete and belong to a finite list of categories, the levels of the factors are those categories.


statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
Factors are a type of vector in R for which the elements are categorical values that could also be ordered. The values are stored internally as integers with labeled levels.

Original toplevel document (pdf)

cannot see any pdfs







Flashcard 1471397367052

Tags
#python #sicp
Question
What does binaziration of a tree do?
Answer
computes a binary tree from an original tree by grouping together adjacent branches.

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
can be used on the branches of a tree as well. For example, we may want to place a restriction on the number of branches in a tree. A binary tree is either a leaf or a sequence of at most two binary trees. A common tree transformation called <span>binarization computes a binary tree from an original tree by grouping together adjacent branches.<span><body><html>

Original toplevel document

2.3 Sequences







Flashcard 1471429610764

Tags
#bayes #programming #r #statistics
Question
What is probability density?
Answer
The ratio of the probability mass to the interval width, where the width is infinitesamally narrow

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
erefore, what we will do is make the intervals infinitesimally narrow, and instead of talking about the infinitesimal probability mass of each infinitesimal interval, we will talk about the ratio of the probability mass to the interval width. <span>That ratio is called the probability density.<span><body><html>

Original toplevel document (pdf)

cannot see any pdfs







Flashcard 1471457922316

Tags
#biochem #biology #cell
Question
What is an Intragenic mutation?
Answer
Random modification of gene by changes in its DNA sequence through errors in the process of DNA replication

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
ntragenic mutation: an existing gene can be randomly modified by changes in its DNA sequence, through various types of error that occur mainly in the process of DNA replication

Original toplevel document (pdf)

cannot see any pdfs







Flashcard 1471487282444

Tags
#python #sicp
Question
What is sequence unpacking?
Answer
for a,b in [(1,2), (3,4)]

[(1,2), (3,4)] is the sequence, a, b are the names each element is being unpacked to

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
This pattern of binding multiple names to multiple values in a fixed-length sequence is called sequence unpacking; it is the same pattern that we see in assignment statements that bind multiple names to multiple values.

Original toplevel document

2.3 Sequences
wo names in its header will bind each name x and y to the first and second elements in each pair, respectively. >>> for x, y in pairs: if x == y: same_count = same_count + 1 >>> same_count 2 <span>This pattern of binding multiple names to multiple values in a fixed-length sequence is called sequence unpacking; it is the same pattern that we see in assignment statements that bind multiple names to multiple values. Ranges. A range is another built-in type of sequence in Python, which represents a range of integers. Ranges are created with range , which takes two integer arguments: the first







Flashcard 1471501700364

Tags
#python #sicp
Question
A method for combining data values has a closure property if [...]
Answer
the result of combination can itself be combined using the same method.

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
a method for combining data values has a closure property if the result of combination can itself be combined using the same method. Closure is the key to power in any means of combination because it permits us to create hierarchical structures — structures made up of parts, which themselves are made up of parts, and

Original toplevel document

2.3 Sequences







Flashcard 1473467256076

Tags
#matlab #programming
Question
What comes after determining the inputs and outputs of the program?
Answer
Step 4 Algorithm. Write the pesudo-code in a top-down process

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
Step 4 Algorithm. Design the step-by-step procedure in a top-down process that decomposes the overall problem into subordinate problems. The subtasks to solve the latter are refined by designing an itemized list of steps to be programmed. This list o f tasks is the structure plan and is written in pseudo- code (i.e., a combination of English, mathematics, and anticipated MATLAB commands). The goal is a plan that is understandable and easily translated into a computer language.

Original toplevel document (pdf)

cannot see any pdfs







Flashcard 1473503431948

Tags
#python #sicp
Question

Native data types have the following properties:

  1. [...]
  2. There are built-in functions and operators to manipulate values of native types.

Answer
There are expressions that evaluate to values of native types, called literals.

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
The values we have used so far are instances of a small number of native data types that are built into the Python language. Native data types have the following properties: There are expressions that evaluate to values of native types, called literals. There are built-in functions and operators to manipulate values of native types. The int class is the native data type used to represent integers. Integer literals (sequences of adjac

Original toplevel document

2.1 Introduction
instances of the int class. These two values can be treated similarly. For example, they can both be negated or added to another integer. The built-in type function allows us to inspect the class of any value. >>> type(2) <span>The values we have used so far are instances of a small number of native data types that are built into the Python language. Native data types have the following properties: There are expressions that evaluate to values of native types, called literals. There are built-in functions and operators to manipulate values of native types. The int class is the native data type used to represent integers. Integer literals (sequences of adjacent numerals) evaluate to int values, and mathematical operators manipulate these values. >>> 12 + 3000000000000000000000000 3000000000000000000000012 Python includes three native numeric types: integers ( int ), real numbers ( float ), and complex numbers ( c







Flashcard 1601673760012

Question
Why did Farazdaq compose his first poem?
Answer
Farazdaq composed his first poem, naqıda no. 31, in order to try and convince Jarır not to engage him in a poetic battle.

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

pdf

cannot see any pdfs







Сроки запуска массовых продаж ФН не известны
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Массовая продажа ФН откладывается – Telegraph
Массовая продажа ФН откладывается Ева Сызрайская , 11 мая В связи с задержкой поставки фискальных накопителей производителем на склад СКБ Контур, массовых продаж ФН из прайсов ОФД не будет до получения достаточного количества товара. <span>Сроки запуска массовых продаж ФН не известны, так как зависят от поставщика. Пока команда ОФД решает эти проблемы, воздержитесь от ложных обещаний клиентам во избежание негатива. Вы уже знаете, что на рынке ККТ сложилась острая де




на рынке ККТ сложилась острая дефицитная ситуация с фискальными накопителями
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Массовая продажа ФН откладывается – Telegraph
до получения достаточного количества товара. Сроки запуска массовых продаж ФН не известны, так как зависят от поставщика. Пока команда ОФД решает эти проблемы, воздержитесь от ложных обещаний клиентам во избежание негатива. Вы уже знаете, что <span>на рынке ККТ сложилась острая дефицитная ситуация с фискальными накопителями. Сроки реформы поджимают, ЭКЛЗ у клиентов заканчиваются, а купить ФН негде. Многие клиенты обращаются к ОФД за фискальниками, обещают подключиться к ОФД, если дадим ФН, угрожают уйти к




Контур.ОФД планирует продажи ФН из прайсов ОФД. Прайсовая цена - 8000 руб., скидок нет.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Массовая продажа ФН откладывается – Telegraph
и. Сроки реформы поджимают, ЭКЛЗ у клиентов заканчиваются, а купить ФН негде. Многие клиенты обращаются к ОФД за фискальниками, обещают подключиться к ОФД, если дадим ФН, угрожают уйти к другому ОФД, который обещает им призрачную поставку ФН. <span>Контур.ОФД планирует продажи ФН из прайсов ОФД. Прайсовая цена - 8000 руб., скидок нет. Однако есть ряд причин, по которым запуск массовых продаж откладывается. Положение дел на сегодняшний день: По договору с производителем ФН полная поставка ожидалась до 30 апреля 2017.




В остатках на складе по проекту ОФД сейчас фискальных накопителей нет.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Массовая продажа ФН откладывается – Telegraph
00 ФН проект ОФД получил только две поставки по 250 ФН, которые тут же ушли крупным клиентам для закрытия их частичной потребности в замене ЭКЛЗ в ККТ. В очереди сейчас забронировано еще более 3000 ФН для стратегически важных клиентов по ОФД. <span>В остатках на складе по проекту ОФД сейчас фискальных накопителей нет. Если у вашего стратегически важного клиента по ОФД есть потребность в ФН: Убедитесь, что клиент приобрел наш ОФД. ФН неклиентам ОФД не отгружаются. Пришлите данные клиента, количество Ф




Афишировать и активно продавать ФН не нужно, на ФН мы не зарабатываем, это средство удержания стратегически важных клиентов.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Массовая продажа ФН откладывается – Telegraph
авлял заявки. Дополнительно мне писать/звонить/напоминать не нужно. Учитывая, что фактически в наличии ФН на складе нет, массово выставлять счета в отсутствие ТМЦ не стоит, так как непоставка повлечет негатив от клиентов. И еще раз повторюсь: <span>Афишировать и активно продавать ФН не нужно, на ФН мы не зарабатываем, это средство удержания стратегически важных клиентов. Проект ОФД делает всё возможное для изменения ситуации и обеспечения скорейшего старта массовых продаж и закрытия потребностей клиентов всех сегментов бизнеса.




Эксплуатация работающего «старого» кассового аппарата будет возможна только до июля 2017 года, если ранее не возникнет необходимость его перерегистрации, а с 1 июля 2018 года применять онлайн-кассы обязаны представители малого бизнеса на спецрежимах (ЕНВД, патент), для которых применение ККТ на данный момент необязательно.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Новые требования к электронным чекам и БСО — СКБ Контур
та принятия поправок было добровольным. С февраля часть правил стали обязательными для применения. Изменения в первую очередь коснутся тех касс, которые будут зарегистрированы или перерегистрированы начиная с 1 февраля 2017 года. <span>Эксплуатация работающего «старого» кассового аппарата будет возможна только до июля 2017 года, если ранее не возникнет необходимость его перерегистрации, а с 1 июля 2018 года применять онлайн-кассы обязаны представители малого бизнеса на спецрежимах (ЕНВД, патент), для которых применение ККТ на данный момент необязательно. При этом все организации и предприниматели, торгующие алкоголем и пивом, должны применять ККТ уже с 31 марта 2017 года (п. 11 ст. 16 Федерального закона № 171-ФЗ в редакции




организации и предприниматели, торгующие алкоголем и пивом, должны применять ККТ уже с 31 марта 2017 года (п. 11 ст. 16 Федерального закона № 171-ФЗ в редакции Закона 261-ФЗ от 03.07.2016)
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Новые требования к электронным чекам и БСО — СКБ Контур
возникнет необходимость его перерегистрации, а с 1 июля 2018 года применять онлайн-кассы обязаны представители малого бизнеса на спецрежимах (ЕНВД, патент), для которых применение ККТ на данный момент необязательно. При этом все <span>организации и предприниматели, торгующие алкоголем и пивом, должны применять ККТ уже с 31 марта 2017 года (п. 11 ст. 16 Федерального закона № 171-ФЗ в редакции Закона 261-ФЗ от 03.07.2016). Подробнее сроки перехода на онлайн-кассы и виды документов, подтверждающих покупку, смотрите в таблице. Регистрация только по-новому Как было сказано выше, с




Информация о том, какие именно модели подлежат доработке, публикуется на сайтах производителей, а также на нашем портале. Посмотрите, есть ли модель вашей кассы в этом списке.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

Новые требования к электронным чекам и БСО — СКБ Контур
нном экземпляре ККТ и фискальном накопителе производители будут представлять непосредственно в ФНС (см. письмо Минфина России от 01.09.2016 № 03-01-12/ВН-38831), на сайте которой размещен реестр моделей ККТ, соответствующих новым требованиям. <span>Информация о том, какие именно модели подлежат доработке, публикуется на сайтах производителей, а также на нашем портале. Посмотрите, есть ли модель вашей кассы в этом списке. Новые реквизиты в чеках и БСО В прежней редакции Закона № 54-ФЗ, регулирующего использование кассовой техники, не было требований к содержанию кассовых чеков и




Jar¯ır, after hearing naq¯ıd . a no. 31 by al-Farazdaq, left al-Yam¯ama and went to al-Bas . ra.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

pdf

cannot see any pdfs




One can make two assumptions regarding the place in which Jar¯ır’s naq¯ıd . a was com- posed and presented. The first is that Jar¯ır composed the first part of his naq¯ıd . a in al-Yam¯ama (not including the added verses), and then shortly afterwards went to al-Mirbad where he presented the poem once again for the audience in al-Bas . ra. The second assumption is that Jar¯ır, after knowing that al-Farazdaq composed his naq¯ıd . a no. 31, decided to confront him directly in al-Mirbad where he composed and recited the first part of the poem. According to both assumptions, it is likely that Jar¯ır recited this poem more than once.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

pdf

cannot see any pdfs




The account also informs us about the way the two naqıdas were presented by Jar¯ır and al-Farazdaq. Here, unlike the naqıdas as presented by Jar¯ır and his earlier opponents in the formative age of the naqaid . contests, these two poets are located in the same place, apparently in a certain circle (halaqa), in al-Mirbad. Ab¯u , Ubayda mentions that Jar¯ır w¯aqafa al-Farazdaq. This verb literally means two persons confronting each other on a battlefield or in a contest or match. Here it may be assumed that both poets stood facing each other surrounded by their audience, each reciting (or re-reciting) his naqıda while the other listened.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

pdf

cannot see any pdfs




Flashcard 1603364326668

Question
What does wāqafa mean?
Answer
This verb literally means two persons confronting each other on a battlefield or in a contest or match. Lane: "To stand with another in a competition."

statusnot learnedmeasured difficulty37% [default]last interval [days]               
repetition number in this series0memorised on               scheduled repetition               
scheduled repetition interval               last repetition or drill

Parent (intermediate) annotation

Open it
d by Jar¯ır and his earlier opponents in the formative age of the naqaid . contests, these two poets are located in the same place, apparently in a certain circle (halaqa), in al-Mirbad. Ab¯u , Ubayda mentions that Jar¯ır w¯aqafa al-Farazdaq. <span>This verb literally means two persons confronting each other on a battlefield or in a contest or match. Here it may be assumed that both poets stood facing each other surrounded by their audience, each reciting (or re-reciting) his naqıda while the other listened.<span><body></ht

Original toplevel document (pdf)

cannot see any pdfs







This account also shows that women used to attend the naq¯ıd . as presentations in al-Mirbad, at least those of the poets themselves.
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

pdf

cannot see any pdfs




It is probable that Jar¯ır, after being freed, recited the whole naq¯ıd . a in its new expanded version at an- other time, or perhaps several times, in al-Mirbad. If this was the case, then it is possible that the poets used to make certain changes, adding some verses, to the original version of their naq¯a - id . .
statusnot read reprioritisations
last reprioritisation on suggested re-reading day
started reading on finished reading on

pdf

cannot see any pdfs