- Nov 2024
-
schriftexperte.de schriftexperte.de
-
schriftexperte.de schriftexperte.de
- Sep 2024
-
github.com github.com
-
Relaxo uses the git persistent data structure for storing documents. This data structure exposes a file-system like interface, which stores any kind of data.
-
- Aug 2024
-
www.youtube.com www.youtube.com
-
Typewriter Video Series - Episode 147: Font Sizes and the Writing Process by [[Joe Van Cleave]]
typewriters for note making
double or 1 1/2 spacing with smaller typefaces may be more efficient for drafting documents, especially first drafts
editing on actual paper can be more useful for some
Drafting on a full sheet folded in half provides a book-like reading experience for reading/editing and provides an automatic backing sheet
typewritten (or printed) sheets may be easier to see and revise than digital formats which may hide text the way ancient scrolls did for those who read them.
Jack Kerouac used rolls of paper to provide continuous writing experience. Doesn't waste the margins of paper at the top/bottom. This may be very useful for first drafts.
JVC likes to thread rolls of paper into typewriters opposite to the original curl so as to flatten the paper out in the end.
-
- May 2024
- Apr 2024
-
martijnaslander.nl martijnaslander.nl
-
Voorbij het dogma van het document
-
- Mar 2024
-
www.fr.de www.fr.de
-
Der Deutsche Ethikrat hat eine umfassende Stellungnahme zur Klimagerechtigkeit vorgelegt. Darin appelliert das Gremium an den Staat, die Voraussetzungen für klimagerechtes Verhalten der Bürger:innen zu schaffen. U.a. wird ein hoher CO<sub>2</sub>-Preis, ein sozialer Ausgleich dafür (Klimageld) und internationale Kooperation diskutiert.
Stellungnahme des Ethikrats: https://www.ethikrat.org/publikationen/publikationsdetail/?tx_wwt3shop_detail%5Bproduct%5D=173&tx_wwt3shop_detail%5Baction%5D=index&tx_wwt3shop_detail%5Bcontroller%5D=Products&cHash=a78b12aa35fa9c4742c1a5e9b7983fd2
-
- Jan 2024
-
mongoosejs.com mongoosejs.com
-
Instance methods Instances of Models are documents. Documents have many of their own built-in instance methods. We may also define our own custom document instance methods. // define a schema const animalSchema = new Schema({ name: String, type: String }, { // Assign a function to the "methods" object of our animalSchema through schema options. // By following this approach, there is no need to create a separate TS type to define the type of the instance functions. methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } }); // Or, assign a function to the "methods" object of our animalSchema animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); }; Now all of our animal instances have a findSimilarTypes method available to them. const Animal = mongoose.model('Animal', animalSchema); const dog = new Animal({ type: 'dog' }); dog.findSimilarTypes((err, dogs) => { console.log(dogs); // woof }); Overwriting a default mongoose document method may lead to unpredictable results. See this for more details. The example above uses the Schema.methods object directly to save an instance method. You can also use the Schema.method() helper as described here. Do not declare methods using ES6 arrow functions (=>). Arrow functions explicitly prevent binding this, so your method will not have access to the document and the above examples will not work.
Certainly! Let's break down the provided code snippets:
1. What is it and why is it used?
In Mongoose, a schema is a blueprint for defining the structure of documents within a collection. When you define a schema, you can also attach methods to it. These methods become instance methods, meaning they are available on the individual documents (instances) created from that schema.
Instance methods are useful for encapsulating functionality related to a specific document or model instance. They allow you to define custom behavior that can be executed on a specific document. In the given example, the
findSimilarTypes
method is added to instances of theAnimal
model, making it easy to find other animals of the same type.2. Syntax:
Using
methods
object directly in the schema options:javascript const animalSchema = new Schema( { name: String, type: String }, { methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } } );
Using
methods
object directly in the schema:javascript animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); };
Using
Schema.method()
helper:javascript animalSchema.method('findSimilarTypes', function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); });
3. Explanation in Simple Words with Examples:
Why it's Used:
Imagine you have a collection of animals in your database, and you want to find other animals of the same type. Instead of writing the same logic repeatedly, you can define a method that can be called on each animal instance to find similar types. This helps in keeping your code DRY (Don't Repeat Yourself) and makes it easier to maintain.
Example:
```javascript const mongoose = require('mongoose'); const { Schema } = mongoose;
// Define a schema with a custom instance method const animalSchema = new Schema({ name: String, type: String });
// Add a custom instance method to find similar types animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); };
// Create the Animal model using the schema const Animal = mongoose.model('Animal', animalSchema);
// Create an instance of Animal const dog = new Animal({ type: 'dog', name: 'Buddy' });
// Use the custom method to find similar types dog.findSimilarTypes((err, similarAnimals) => { console.log(similarAnimals); }); ```
In this example,
findSimilarTypes
is a custom instance method added to theAnimal
schema. When you create an instance of theAnimal
model (e.g., a dog), you can then callfindSimilarTypes
on that instance to find other animals with the same type. The method uses thethis.type
property, which refers to the type of the current animal instance. This allows you to easily reuse the logic for finding similar types across different instances of theAnimal
model.
Tags
Annotators
URL
-
- Jun 2023
-
www.sciencedirect.com www.sciencedirect.com
-
Learning heterogeneous graph embedding for Chinese legal document similarity
The paper proposes L-HetGRL, an unsupervised approach using a legal heterogeneous graph and incorporating legal domain-specific knowledge, to improve Legal Document Similarity Measurement (LDSM) with superior performance compared to other methods.
-
China's increasing digitization of legal documents has led to a focus on using information technology to extract valuable information efficiently. Legal Document Similarity Measurement (LDSM) plays a vital role in legal assistant systems by identifying similar legal documents. Early approaches relied on text content or statistical measures, but recent advances include neural network-based methods and pre-trained language models like BERT. However, these approaches require labeled data, which is expensive and challenging to obtain for legal documents. To address this, the authors propose an unsupervised approach called L-HetGRL, which utilizes a legal heterogeneous graph constructed from encyclopedia knowledge. L-HetGRL integrates heterogeneous content, document structure, and legal domain-specific knowledge. Extensive experiments show the superiority of L-HetGRL over unsupervised and even supervised methods, providing promising results for legal document analysis.
-
- May 2023
-
Tags
Annotators
URL
-
-
www.npmjs.com www.npmjs.com
Tags
Annotators
URL
-
- Mar 2023
-
-
Google Books .pdf document equivalence problem #7884
I've noticed on a couple of .pdf documents from Google books that their fingerprints, lack thereof, or some other glitch in creating document equivalency all seem to clash creating orphans.
Example, the downloadable .pdf of Geyer's Stationer 1904 found at https://www.google.com/books/edition/Geyer_s_Stationer/L507AQAAMAAJ?hl=en&gbpv=0 currently has 109 orphaned annotations caused by this issue.
See also a specific annotation on this document: https://hypothes.is/a/vNmUHMB3Ee2VKgt4yhjofg
-
- Jan 2023
-
ubuntuforums.org ubuntuforums.org
-
Did you see the rest of my post too? If you are reading the replies only in email, don't. Visit the forum and open the thread. Because when we edit a post, you don't receive the modification by email, only the initial post. I added few things to my last one...
-
-
-
Recommandation 21.Prévoir la signature d’une lettre individuelle par le chef d’établissement et par l’intervenant extérieur recruté, qui précise les modalités de l’intervention (préparation en amont, présence d’un référent, établissement d’un bilan commun, etc.) dans le respect des valeurs portées par l’École de la République
-
Recommandation 24. Systématiser les bilans annuels à tous les niveaux, local, départemental, académique.
-
Recommandation 23. Établir, dans chaque établissement, un tableau récapitulant les actions menées surl’éducation à la sexualité en interne et avec les intervenants extérieurs, leur durée, leur financement, et levolume horaire consacré
-
Recommandation 20. Développer les documents-cadres précisant les conditions d’organisation des séancesd’éducation à la sexualité (notamment les objectifs, les cibles, le financement, les réseaux d’intervenants, lesoffres d’interventions et de formations, le suivi) entre les différents partenaires institutionnels et associatifsdépartementaux et/ou régionaux, sur lesquels peuvent s’appuyer les établissements
-
Recommandation 14. Élaborer des documents de sensibilisation destinés aux parents sur les interventionsmenées conjointement par l’éducation nationale et les collectivités et/ou les associations afin de donner unéclairage sur les modalités et les objectifs de l’éducation à la sexualité
-
- Nov 2022
-
discourse.devontechnologies.com discourse.devontechnologies.com
-
I work primarily on Windows, but I support my kids who primarily use Mac for their college education. I have used DT on Mac, IPOS, IOS for about a year. On Windows, I have been using Kinook’s UltraRecall (UR) for the past 15 years. It is both a knowledge outliner and document manager. Built on top of a sql lite database. You can use just life DT and way way more. Of course, there is no mobile companion for UR. The MS Windows echo system in this regard is at least 12 years behind.
Reference for UltraRecall (UR) being the most DEVONthink like Windows alternative. No mobile companion for UR. Look into this being paired with Obsidian
-
-
www.amazon.com www.amazon.com
-
www.amazon.com www.amazon.com
- Jul 2022
-
liliputing.com liliputing.com
-
I may be insane, but somehow text search here makes me wonder that Calibre might actually make an interesting interface for keeping one's notes?
Document management, text search, tagging, reference management capabilities, open source, custom meta data, server potential, etc. What's missing to prevent such an off-label use case?
Syndication link: https://twitter.com/ChrisAldrich/status/1547689914078179328
-
- Jan 2022
-
www.nature.com www.nature.com
-
Singh Chawla, D. (2022). Massive open index of scholarly papers launches. Nature. https://doi.org/10.1038/d41586-022-00138-y
-
- Oct 2021
-
www.fda.gov www.fda.gov
-
Zotero doesn't work on this site
-
-
-
Schraer, R., & Morrison, N. (2021, October 12). Covid: Misleading vaccine claims target children and parents. BBC News. https://www.bbc.com/news/health-58783711
-
-
example.com example.com
-
social annotation
Had I known about Hypothesis at the time of my collaboration with Ilaria Forte, I likely would have suggested this as a tool for documenting the stream of consciousness, collecting stories in the context of the media that people are experiencing on the web.
-
-
imaginaxiom.com imaginaxiom.com
-
The builders collective is documenting a community into existence.
-
- Jun 2021
-
material-ui.com material-ui.com
-
about.gitlab.com about.gitlab.com
-
document.querySelector('hypothesis-adder') is present but has size of 0x0
-
-
evilmartians.com evilmartians.com
-
Disclaimer: This article is being regularly updated with the best recommendations up to date, take a look at a Changelog section.
-
-
w3c-ccg.github.io w3c-ccg.github.io
-
DID infrastructure can be thought of as a global key-value database in which the database is all DID-compatible blockchains, distributed ledgers, or decentralized networks. In this virtual database, the key is a DID, and the value is a DID document. The purpose of the DID document is to describe the public keys, authentication protocols, and service endpoints necessary to bootstrap cryptographically-verifiable interactions with the identified entity.
DID infrastructure can be thought of as a key-value database.
The database is a virtual database consisting of various different blockchains.
The key is the DID and the value is the DID document.
The purpose of the DID document is to hold public keys, authentication protocols and service endpoints necessary to bootstrap cryptographically-verifiable interactions with the identified entity.
Tags
Annotators
URL
-
- May 2021
-
www.dougengelbart.org www.dougengelbart.org
-
we must shed our outdated concept of a document. We need to think in terms of flexible jumping and viewing options. The objects assembled into a document should be dealt with explicitly as representaions of kernel concepts in the authors' minds, and explicit structuring options have to be utilized to provide a much enhanced mapping of the source concept structures.
This seems like the original concept that Microsoft's Fluid document framework is based on. And Apple's earlier OpenDoc project.
-
-
www.impressivewebs.com www.impressivewebs.com
-
I like the idea in theory, however it doesn’t feel very robust – you are relying on the layout of the page in question. Many authors regularly revisit articles and add new sections and paragraphs. Now your #h2:3 link points to a previous section. (This is far less likely to happen with IDs.)
-
-
-
Status: personal view
-
Editing status: Good enough fo discussion.
-
- Apr 2021
-
www.politico.eu www.politico.eu
-
Deutsch, J. (2021, April 20). Oxford/AstraZeneca vaccine shortfall due to production woes in EU: Documents. POLITICO. https://www.politico.eu/article/astrazeneca-vaccine-shortfall-production-woes-documents/
-
-
stackoverflow.com stackoverflow.com
-
@H2CO3 Why did you remove your answer? It was the only one explaining what was happening. Or was it incorrect?
not exact match for: removing comment from thread makes other comments not make sense with that context missing
-
-
stackoverflow.com stackoverflow.com
-
The question talks about stdout but the title mentions stdin. I think the title is wrong.
Refers to old title, as seen here
Trick an application into thinking its stdin is interactive
-
- Mar 2021
-
-
Veränderbarkeit,
Bereits hier vorne im Text sollte kurz betont werden, dass Veränderbarkeit ermöglicht werden kann, aber nicht muss bzw. dass Veränderlichkeit in ein festgelegtes Verhältnis zur dauerhaftigen Zitierfähigkeit tritt, z.B. durch Versionierung und damit neue Formen der Werksintegrität entstehen. Denn das ist nach wie vor einer der polemischen Anwürfe, dass die Zitierfähigkeit digitaler Publikationen nicht gegeben sei, weil sie ja unkontrolliert vreändert werden könnten. Das wird zwar später im Text genauer ausgeführt. Trotzdem sollte "Veränderbarkeit" präziser operationalisiert werden.
-
-
www.chevtek.io www.chevtek.io
-
Write modules for publication, even if you only use them privately. You will appreciate documentation in the future.
-
- Feb 2021
-
stackoverflow.com stackoverflow.com
-
Note: This question has been edited since it was asked. The original title was "Test whether a glob has any matches in bash". The specific shell, 'bash', was dropped from the question after I published my answer. The editing of the question's title makes my answer appear to be in error. I hope someone can amend or at least address this change.
-
-
10.11.66.200 10.11.66.200
-
i2c, Inc. ATTN: Rob Seiler 100 Redwood Shores Parkway Suite 100 Redwood City, CA 94065
-
courtorders@i2cinc.com
-
-
stackoverflow.com stackoverflow.com
-
Although one thing you want to avoid is using frames in such a manner that the content of the site is in the frame and a menu is outside of the frame. Although this may seem convienient, all of your pages become unbookmarkable.
-
-
stackoverflow.com stackoverflow.com
-
Iframes can have similar issues as frames and inconsiderate use of XMLHttpRequest: They break the one-document-per-URL paradigm, which is essential for the proper functioning of the web (think bookmarks, deep-links, search engines, ...).
-
The most striking such issue is probably that of deep linking: It's true that iframes suffer from this to a lesser extent than frames, but if you allow your users to navigate between different pages in the iframe, it will be a problem.
-
- Dec 2020
-
www.inkandswitch.com www.inkandswitch.com
- Oct 2020
-
disqus.com disqus.com
-
Comments for: https://blog.rapid7.com/2017/06/15/about-user-enumeration/ (they were in iframe there)
-
-
codesandbox.io codesandbox.io
-
Should be superseded by: https://codesandbox.io/s/github/final-form/react-final-form/tree/master/examples/field-warnings but that version has error:
Cannot read property 'mutators' of undefined
See https://m5qwxpr6o8.csb.app/ for annotations. https://m5qwxpr6o8.csb.app/
-
-
codesandbox.io codesandbox.io
-
By wrapping a stateful ExternalModificationDetector component in a Field component, we can listen for changes to a field's value, and by knowing whether or not the field is active, deduce when a field's value changes due to external influences.
Clever.
By wrapping a stateful ExternalModificationDetector component in a Field component
I think you mean wrapping a Field in a ExternalModificationDetector. Or wrapping a ExternalModificationDetector around a Field component.
-
-
alpha.austin.gov alpha.austin.gov
-
The Office of Police Oversight has some of the most viewed pages on Alpha. Since April 2020, the number of documents grew exponentially, requiring us to make some changes to the viewing structure. We added "collections" as a way to group like documents together, and have made the documents searchable. Keyword and date search will be available in October 2020.
-
- Sep 2020
- Aug 2020
-
docs.google.com docs.google.com
-
University_covid_dashboards. (n.d.). Google Docs. Retrieved August 29, 2020, from https://docs.google.com/spreadsheets/d/1orYcRrRTQ6SiCJ7GXObZg1el70YeIHmjJEkrYFj40DA/edit?usp=sharing&usp=embed_facebook
-
-
css-tricks.com css-tricks.com
-
Equivalent to role="region". Content that needs extra context from its parent sectioning element to make sense. This is a generic sectioning element that is used whenever it doesn’t make sense to use the other more semantic ones.
-
-
Content that is self-contained in that it makes sense on its own when taken out of context. That could mean a widget, a blog post or even a comment within a blog post.
-
- Jul 2020
-
lwn.net lwn.net
-
"that text has been removed from the official version on the Apache site." This itself is also not good. If you post "official" records but then quietly edit them over time, I have no choice but to assume bad faith in all the records I'm shown by you. Why should I believe anything Apache board members claim was "minuted" but which in fact it turns out they might have just edited into their records days, weeks or years later? One of the things I particularly watch for in modern news media (where no physical artefact captures whatever "mistakes" are published as once happened with newspapers) is whether when they inevitably correct a mistake they _acknowledge_ that or they instead just silently change things.
-
-
www.graphitedocs.com www.graphitedocs.comGraphite1
-
www.collaboraoffice.com www.collaboraoffice.com
-
github.com github.com
-
-
office document formats
-
-
www.nuclino.com www.nuclino.com
-
marketplace.digitalocean.com marketplace.digitalocean.com
-
Note that ONLYOFFICE Document Server does not contain any document management system. ONLYOFFICE online editors (Document Server) can be: integrated with various cloud storage platforms like Confluence, Alfresco, Nextcloud, ownCloud, Seafile, SharePoint, HumHub, Plone, etc.
-
-
icla2020.jonreeve.com icla2020.jonreeve.com
-
I crumpled up the letter in my pocket, and forgot it the moment after, in the all-absorbing interest of my coming interview with Rachel.
Here is another document to keep track of. What would Mr. Candy want to say to Franklin?
-
- Jun 2020
-
mw.lojban.org mw.lojban.org
-
XML Topic Maps will be put online in that fashion, and thus, that book will become a living document.
Tags
Annotators
URL
-
-
firebase.google.com firebase.google.com
-
Documents in Cloud Firestore should be lightweight, and a chat room could contain a large number of messages
-
documents support extra data types and are limited in size to 1 MB
-
In Cloud Firestore, the unit of storage is the document. A document is a lightweight record that contains fields, which map to values. Each document is identified by a name.
Tags
Annotators
URL
-
- May 2020
-
twitter.com twitter.comTwitter1
-
ReconfigBehSci en Twitter: “a google doc tracking all app development: https://t.co/vzmyWWF0qj” / Twitter. (n.d.). Twitter. Retrieved April 16, 2020, from https://twitter.com/SciBeh/status/1243171088256860160
-
-
github.com github.com
-
Deepset-ai/haystack. (2020). [Python]. deepset. https://github.com/deepset-ai/haystack (Original work published 2019)
-
- Apr 2020
-
adata.org adata.org
-
Reasonable Accommodations in the Workplace | ADA National Network. (n.d.). Retrieved April 29, 2020, from https://adata.org/factsheet/reasonable-accommodations-workplace
-
-
www.centerforhealthsecurity.org www.centerforhealthsecurity.org
-
Rivers, C., Martin, E., Gottlieb, S., Watson, C., Schoch-Spana, M., Mullen, L., Sell, T.K., Warmbrod, K.L., Hosangadi, D., Kobokovich, A., Potter, C., Cicero, A., Inglesby, T. (2020 April 17). Public health principles for a phased reopening during COVID-19: Guidance for governors. Johns Hopkins. https://www.centerforhealthsecurity.org/our-work/publications/public-health-principles-for-a-phased-reopening-during-covid-19-guidance-for-governors
-
-
twitter.com twitter.com
-
Leo Ferres en Twitter: “I’m trying to compile #COVID19 reports that use cellphone data around the world. I’ve done a few (see link below) https://t.co/LEr61QWERm Can you help me by leaving a message, or replying to this tweet or just email with a relevant document? Thanks!” / Twitter. (n.d.). Twitter. Retrieved April 21, 2020, from https://twitter.com/leoferres/status/1248644220249874432
-
- Dec 2019
-
-
Choose the version of Ruby you want to install:
-
- Sep 2019
-
arthurperret.fr arthurperret.fr
-
Documentality thus serves as a unifying concept to the inscription of acts
ideas tied to materiality
-
Maurizio Ferraris’ theory of documentality, which is centered on the document as an essential element of humanity
document-centrism!
homo-documentum!
-
Document-Instrument
ontological fusion between the document and the instrument
-
The Aims of Organized Documentation consist in being able to offer documented information on any order of fact and knowledge: 1° universal as to their purpose; 2° truthful; 3° complete; 4° fast; 5° up to date; 6° easy to obtain; 7° collected in advance and ready to be communicated; 8° made available to the greatest number of people (Otlet, 1934, p. 6).
characteristics of a good document
-
- Jun 2019
-
www.researchgate.net www.researchgate.net
-
runestone.academy runestone.academy
-
highScores.length
you have not yet described any of the functions. you really should before you introduce them. Or at least give a comment. Put a link to where they can check these out. Especially critical when you get to 2d arrays..
-
- May 2019
-
www.itweb.co.za www.itweb.co.za
-
Virtually all BPMs have utilities for creating simple, data-gathering forms. And in many types of workflows, these simple forms may be adequate. However, in any workflow that includes complex document assembly (such as loan origination workflows), BPM forms are not likely to get the job done. Automating the assembly of complex documents requires ultra-sophisticated data-gathering forms, which can only be designed and created after the documents themselves have been automated. Put another way, you won't know which questions need to be asked to generate the document(s) until you've merged variables and business logic into the documents themselves. The variables you merge into the document serve as question fields in the data gathering forms. And here's the key point - since you have to use the document assembly platform to create interviews that are sophisticated enough to gather data for your complex documents, you might as well use the document assembly platform to generate all data-gathering forms in all of your workflows.
-
- Mar 2019
-
www.ncbi.nlm.nih.gov www.ncbi.nlm.nih.gov
-
Supplementary methods
0.3.9.1 of the Configurable Pipeline for the Analysis of Connectomes [15] (C-PAC, http://fcp-indi.github.com/C-PAC/), which integrates tools from AFNI (http://afni.nimh.nih.gov/afni), FSL (http://fmrib.ox.ac.uk) and Advanced Normalization Tools (ANTs; http://stnava.github.io/ANTs) using Nipype (http://nipype.readthedocs.io/en/latest/).
-
- Feb 2019
-
books.openedition.org books.openedition.org
-
savoirs et savoir-faire
on ajoute parfois un troisième pan au triptyque des "savoirs" = les savoirs, le savoir-faire et le faire-savoir, qui rencontre un écho dans le graphique du chapitre suivant dans les trois dimensions du document. Les savoirs sont la dimension historique, le savoir-faire le juridique et enfin, et surtout, le faire-savoir, la dimension pédagogique
-
- Jan 2019
-
dev01.inside-out-project.com dev01.inside-out-project.com|1
-
An HTML element is an individual component of an HTML document or web page, once this has been parsed into the Document Object Model.
Know the Document Object Model.
-
- Nov 2017
-
example.com example.com
-
if cross-format identifiers like DOIs are used, annotations made in one format (eg, EPUB) can be seen in the same document published in other formats (eg, HTML, PDF) and in other locations.
Whaa..? This sounds seriously hard. But remarkably clever.
-
- Feb 2017
-
search.proquest.com.ezproxy.lib.uts.edu.au search.proquest.com.ezproxy.lib.uts.edu.au
-
By most contemporary standards the document is an object (physical or electronic) on which information is recorded. It would thus have two dimensions, the medium and the content. But this dual presentation is insufficient: it obscures the social function that lends the documentary function to both medium and contents. A good illustration of this ambiguity can be found in the legal framework for information technology of Quebec.4 Quebec law is interesting in this respect because, it tries to define a document beyond the medium it uses by paying attention to information. We can read in Article 3 of the 2001 law this definition: Information inscribed on a medium constitutes a document. The information is delimited and structured, according to the medium used, by tangible or logical features and is intelligible in the form of words, sounds or images. On the face of it, this passage defines a document only in terms of its medium and of its contents. These contents, moreover, are viewed as independent of the medium. But the appearance is deceptive. On the one hand, it is precisely because the document has a function-that of transmission of evidence-that we need a law to define it. We must, indeed, be sure that the object we are talking about will perform this function in the new digital environment. On the other hand, it is indeed because the content can pass from one medium to another that Quebec has tried to define in law the link between one and the other to ensure that the documentary function is preserved.
very interesting contemporary legal view of what is a document
-
- Feb 2016
-
faculty.humanities.uci.edu faculty.humanities.uci.edu
-
How were human beings created? • Where did they obtain their knowledge, and how did they provide for themselves?
1) Human beings were created by birth from mother and father.
2) The father passed on his offspring and that his how they gained knowledge.
-
What was the source of life? • What were the differences between Earth-mother and Sky-father? • Where did the moon and stars come from?
1) The animals were taking care of humans that were in need of help.
2) The difference was day and night. The mother and father both created the light and darkness in the day. Bringing the moon, sun and earth.
3) The sky-father created the moon and stars for the night time.
-
How did human beings arrive in the world? • How were animals helpful? • What did twins do to create the world?
1) The humans fell from heaven and came into the world with animals. 2) Animals cared for the human when she was ill and gave her a place to stay until she was healed. 3) The twins traveled the world to create environments and climates that humans could live in. This lead to mountains, trees, lakes, forest, rivers, etc.
-
- Sep 2015
-
www.tagspaces.org www.tagspaces.org
-
-
github.com github.com
-
- Feb 2015
-
themanual.org themanual.org
-
There was a point many years ago now when the web looked like it would be for documents. It would be structured and organized, and everything could be linkable.
...and I want this Web back...
Tags
Annotators
URL
-