graph Lockdown Photography (Part One) By plasticbag.org Published On :: Tue, 19 May 2020 07:23:04 +0000 When this whole horrible COVID19 experience started—back when we thought maybe we’d be in lockdown for a few weeks, not a few months to a year—I thought to myself that at least it might be something worthy of documenting with my camera. I considered the world so changed and strange in this moment in time […] Full Article Life Photography
graph Introducing TODS – a typographic and OpenType default stylesheet By clagnut.com Published On :: Sun, 22 Sep 2024 18:04:33 PST Introducing TODS, an open source typography and opentype default stylesheet. One of the great things about going to conferences is the way it can spark an idea and kick start something. This project was initiated following a conversation with Roel Nieskens (of Wakamai Fondue fame) at CSS Day, where he demonstrated his Mildly Opinionated Prose Styles (MOPS). The idea is to set sensible typographic defaults for use on prose (a column of text), making particular use of the font features provided by OpenType. The main principle is that it can be used as starting point for all projects, so doesn’t include design-specific aspects such as font choice, type scale or layout (including how you might like to set the line-length). Within the styles is mildly opinionated best practice, which will help set suitable styles should you forget. This means you can also use the style sheet as a checklist, even if you don't want to implement it as-is. TODS uses OpenType features extensively and variable font axes where available. It makes full use of the cascade to set sensible defaults high up, with overrides applied further down. It also contains some handy utility classes. You can apply the TODS.css stylesheet in its entirety, as its full functionality relies on progressive enhancement within both browsers and fonts. Anything that is not supported will safely be ignored. The only possible exceptions to this are sub/superscripts and application of a grade axis in dark mode, as these are font-specific and could behave unexpectedly depending on the capability of the font. In order to preview some of the TODS features, you can check out the preview page tods.html and toggle TODS.css on and off. (This needs more work as the text is a bit of a mish-mash of examples and instructions, and it's missing some of the utility classes and dark mode. But that’s what open source is for… feel free to fork, improve and add back into the repo.) Walkthrough of the TODS.css stylesheet You can download a latest version of the stylesheet from the TODS Github repo (meaning some of the code may have changed a bit). Table of contents: Reset Web fonts Global defaults Block spacing Opentype utility classes Generic help classes Prose styling defaults Headings Superscripts and subscripts Tables and numbers Quotes Hyphenation Dark mode/inverted text 1. Reset Based on Andy Bell’s more modern CSS reset. Only the typographic rules in his reset are used here. You might like to apply the other rules too. html { -moz-text-size-adjust: none; -webkit-text-size-adjust: none; text-size-adjust: none; } Prevent font size inflation when rotating from portrait to landscape. The best explainer for this is by Kilian. He also explains why we still need those ugly prefixes too. body, h1, h2, h3, h4, h5, h6, address, p, hr, pre, blockquote, ol, ul, li, dl, dt, dd, figure, figcaption, div, table, caption, form, fieldset { margin: 0; } Remove default margins in favour of better control in authored CSS. input, button, textarea, select { font-family: inherit; font-size: inherit; } Inherit fonts for inputs and buttons. 2. Web fonts Use modern variable font syntax so that only supporting browsers get the variable font. Others will get generic fallbacks. @font-face { font-family: 'Literata'; src: url('/fonts/Literata-var.woff2') format('woff2') tech(variations), url('/fonts/Literata-var.woff2') format('woff2-variations'); font-weight: 1 1000; font-stretch: 50% 200%; font-style: normal; font-display: fallback; } Include full possible weight range to avoid unintended synthesis of variable fonts with a weight axis. Same applies to stretch range for variable fonts with a width axis. For main body fonts, use fallback for how the browser should behave while the webfont is loading. This gives the font an extremely small block period and a short swap period, providing the best chance for text to render. @font-face { font-family: 'Literata'; src: url('/fonts/Literata-Italic-var.woff2') format('woff2') tech(variations), url('/fonts/Literata-Italic-var.woff2') format('woff2-variations'); font-weight: 1 1000; font-stretch: 50% 200%; font-style: italic; font-display: swap; } For italics use swap for an extremely small block period and an infinite swap period. This means italics can be synthesised and swapped in once loaded. @font-face { font-family: 'Plex Sans'; src: url('/fonts/Plex-Sans-var.woff2') format('woff2') tech(variations), url('/fonts/Plex-Sans-var.woff2') format('woff2-variations'); font-weight: 1 1000; font-stretch: 50% 200%; font-style: normal; font-display: fallback; size-adjust:105%; /* make monospace fonts slightly bigger to match body text. Adjust to suit – you might need to make them smaller */ } When monospace fonts are used inline with text fonts, they often need tweaking to appear balanced in terms of size. Use size-adjust to do this without affecting reported font size and associated units such as em. 3. Global defaults Set some sensible defaults that can be used throughout the whole web page. Override these where you need to through the magic of the cascade. body { line-height: 1.5; text-decoration-skip-ink: auto; font-optical-sizing: auto; font-variant-ligatures: common-ligatures no-discretionary-ligatures no-historical-ligatures contextual; font-kerning: normal; } Set a nice legible line height that gets inherited. The font- properties are set to default CSS and OpenType settings, however they are still worth setting specifically just in case. button, input, label { line-height: 1.1; } Set shorter line heights on interactive elements. We’ll do the same for headings later on. 4. Block spacing Reinstate block margins we removed in the reset section. We’re setting consistent spacing based on font size on primary elements within ‘flow’ contexts. The entire ‘prose’ area is a flow context, but so might other parts of the page. For more details on the ‘flow’ utility see Andy Bell’s favourite three lines of CSS. .flow > * + * { margin-block-start: var(--flow-space, 1em); } Rule says that every direct sibling child element of .flow has margin-block-start added to it. The > combinator is added to prevent margins being added recursively. .prose { --flow-space: 1.5em; } Set generous spacing between primary block elements (in this case it’s the same as the line height). You could also choose a value from a fluid spacing scale, if you are going down the fluid typography route (recommended, but your milage may vary). See Utopia.fyi for more details and a fluid type tool. 5. OpenType utility classes .dlig { font-variant-ligatures: discretionary-ligatures; } .hlig { font-variant-ligatures: historical-ligatures; } .dlig.hlig { font-variant-ligatures: discretionary-ligatures historical-ligatures; } /* Apply both historic and discretionary */ .pnum { font-variant-numeric: proportional-nums; } .tnum { font-variant-numeric: tabular-nums; } .lnum { font-variant-numeric: lining-nums; } .onum { font-variant-numeric: oldstyle-nums; } .zero { font-variant-numeric: slashed-zero; } .pnum.zero { font-variant-numeric: proportional-nums slashed-zero; } /* Apply slashed zeroes to proportional numerals */ .tnum.zero { font-variant-numeric: tabular-nums slashed-zero; } .lnum.zero { font-variant-numeric: lining-nums slashed-zero; } .onum.zero { font-variant-numeric: oldstyle-nums slashed-zero; } .tnum.lnum.zero { font-variant-numeric: tabular-nums lining-nums slashed-zero; } .frac { font-variant-numeric: diagonal-fractions; } .afrc { font-variant-numeric: stacked-fractions; } .ordn { font-variant-numeric: ordinal; } .smcp { font-variant-caps: small-caps; } .c2sc { font-variant-caps: unicase; } .hist { font-variant-alternates: historical-forms; } Helper utilities matching on/off Opentype layout features available through high level CSS properties. @font-feature-values "Fancy Font Name" { /* match font-family webfont name */ /* All features are font-specific. */ @styleset { cursive: 1; swoopy: 7 16; } @character-variant { ampersand: 1; capital-q: 2; } @stylistic { two-story-g: 1; straight-y: 2; } @swash { swishy: 1; flowing: 2; wowzers: 3 } @ornaments { clover: 1; fleuron: 2; } @annotation { circled: 1; boxed: 2; } } Other Opentype features can have multiple glyphs, accessible via an index number defined in the font – these will be explained in documentation that came with your font. These vary between fonts, so you need to set up a new @font-font-features rule for each different font, ensuring the font name matches that of the font family. You then give each feature a custom name such as ‘swoopy’. Note that stylesets can be combined, which is why swoopy has a space-separated list of indices 7 16. /* Stylesets */ .ss01 { font-variant-alternates: styleset(cursive); } .ss02 { font-variant-alternates: styleset(swoopy); } /* Character variants */ .cv01 { font-variant-alternates: character-variant(ampersand); } .cv02 { font-variant-alternates: character-variant(capital-q); } /* Stylistic alternates */ .salt1 { font-variant-alternates: stylistic(two-story-g); } .salt2 { font-variant-alternates: stylistic(straight-y); } /* Swashes */ .swsh1 { font-variant-alternates: swash(swishy); } .swsh2 { font-variant-alternates: swash(flowing); } /* Ornaments */ .ornm1 { font-variant-alternates: ornaments(clover); } .ornm2 { font-variant-alternates: ornaments(fleuron); } /* Alternative numerals */ .nalt1 { font-variant-alternates: annotation(circled); } .nalt2 { font-variant-alternates: annotation(boxed); } Handy utility classes showing how to access the font feature values you set up earlier using the font-variant-alternates property. :root { --opentype-case: "case" off; --opentype-sinf: "sinf" off; } /* If class is applied, update custom property */ .case { --opentype-case: "case" on; } .sinf { --opentype-sinf: "sinf" on; } /* Apply current state of all custom properties, defaulting to off */ * { font-feature-settings: var(--opentype-case, "case" off), var(--opentype-sinf, "sinf" off); } Set custom properties for OpenType features only available through low level font-feature-settings. We need this approach because font-feature-settings does not inherit in the same way as font-variant. See Roel’s write-up, including how to apply the same methodology to custom variable font axes. 6. Generic helper classes Some utilities to help ensure best typographic practice. .centered { text-align: center; text-wrap: balance; } When centring text you’ll almost always want the text to be ‘balanced’, meaning roughly the same number of characters on each line. .uppercase { text-transform: uppercase; --opentype-case: "case" on; } When fully capitalising text, ensure punctuation designed to be used within caps is turned on where available, using the Opentype ‘case’ feature. .smallcaps { font-variant-caps: all-small-caps; font-variant-numeric: oldstyle-nums; } Transform both upper and lowercase letters to small caps, and use old style-numerals within runs of small caps so they match size-wise. 7. Prose styling defaults Assign a .prose class to your running text, that is to say an entire piece of prose such as the full text of an article or blog post. .prose { text-wrap: pretty; font-variant-numeric: oldstyle-nums proportional-nums; font-size-adjust: 0.507; } Firstly we get ourselves better widow/orphan control, aiming for blocks of text to not end with a line containing a word on its own. Also we use proportional old-style numerals in running text. Also adjust the size of fallback fonts to match the webfont to maintain legibility with fallback fonts and reduce visible reflowing. The font-size-adjust number is the aspect ratio of the webfont, which you can calculate using this tool. strong, b, th { font-weight: bold; font-size-adjust: 0.514; } Apply a different adjustment to elements which are typically emboldened by default, as bold weights often have a different aspect ratio – check for the different weights you may be using, including numeric semi-bolds (eg. 650). Headings are dealt with separately as the aspect ratio may be affected by optical sizing. 8. Headings h1, h2, h3, h4 { line-height: 1.1; font-size-adjust: 0.514; font-variant-numeric: lining-nums; } Set shorter line heights on your main headings. Set an aspect ratio for fallback fonts – check for different weights of headings. Use lining numerals in headings, especially when using Title Case. h1 { font-variant-ligatures: discretionary-ligatures; font-size-adjust: 0.521; } Turn on fancy ligatures for main headings. If the font has an optical sizing axis, you might need to adjust the aspect ratio accordingly. h1.uppercase { font-variant-caps: titling-caps; } When setting a heading in all caps, use titling capitals which are specially designed for setting caps at larger sizes. 9. Superscripts and subscripts Use proper super- and subscript characters. Apply to sub and sup elements as well as utility classes for when semantic sub/superscripts are not required. @supports ( font-variant-position: sub ) { sub, .sub { vertical-align: baseline; font-size: 100%; line-height: inherit; font-variant-position: sub; } } @supports ( font-variant-position: super ) { sup, .sup { vertical-align: baseline; font-size: 100%; line-height: inherit; font-variant-position: super; } } If font-variant-position is not specified, browsers will synthesise sub/superscripts, so we need to manually turn off the synthesis. This is the only way to use a font’s proper sub/sup glyphs, however it’s only safe to use this if you know your font has glyphs for all the characters you are sub/superscripting. If the font lacks those characters (most only have sub/superscript numbers, not letters), then only Firefox (correctly) synthesises sup and sub – all other browsers will display normal characters in the regular way as we turned the synthesis off. .chemical { --opentype-sinf: "sinf" on; } For chemical formulae like H2O, use scientific inferiors instead of sub. 10. Tables and numbers td, math, time[datetime*=":"] { font-variant-numeric: tabular-nums lining-nums slashed-zero; } Make sure all numbers in tables are lining tabular numerals, adding slashed zeroes for clarity. This could usefully apply where a time is specifically marked up, as well as in mathematics. 11. Quotes Use curly quotes and hang punctuation around blockquotes. :lang(en) > * { quotes: '“' '”' '‘' '’' ; } /* “Generic English ‘style’” */ :lang(en-GB) > * { quotes: '‘' '’' '“' '”'; } /* ‘British “style”’ */ :lang(fr) > * { quotes: '«?0202F' '?0202F»' '“' '”'; } /* « French “style” » */ Set punctuation order for inline quotes. Quotes are language-specific, so set a lang attribute on your HTML element or send the language via a server header. Note the narrow non-breaking spaces encoded in the French example. q::before { content: open-quote } q::after { content: close-quote } Insert quotes before and after q element content. .quoted, .quoted q { quotes: '“' '”' '‘' '’'; } Punctuation order for blockquotes, using a utility class to surround with double-quotes. .quoted p:first-of-type::before { content: open-quote; } .quoted p:last-of-type::after { content: close-quote; } Append quotes to the first and last paragraphs in the blockquote. .quoted p:first-of-type::before { margin-inline-start: -0.87ch; /* Adjust according to font */ } .quoted p { hanging-punctuation: first last; } @supports(hanging-punctuation: first last) { .quoted p:first-of-type::before { margin-inline-start: 0; } } Hang the punctuation outside of the blockquote. Firstly manually hang punctuation with a negative margin, then remove the manual intervention and use hanging-punctuation if supported. 12. Hyphenation Turn on hyphenation for prose. Language is required in order for the browser to use the correct hyphenation dictionary. .prose { -webkit-hyphens: auto; -webkit-hyphenate-limit-before: 4; -webkit-hyphenate-limit-after: 3; -webkit-hyphenate-limit-lines: 2; hyphens: auto; hyphenate-limit-chars: 7 4 3; hyphenate-limit-lines: 2; hyphenate-limit-zone: 8%; hyphenate-limit-last: always; } Include additional refinements to hyphenation. Respectively, these stop short words being hyphenated, prevent ladders of hyphens, and reduce overall hyphenation a bit. Safari uses legacy properties to achieve some of the same effects, hence the ugly prefixes and slightly different syntax. .prose pre, .prose code, .prose var, .prose samp, .prose kbd, .prose h1, .prose h2, .prose h3, .prose h4, .prose h5, .prose h6 { -webkit-hyphens: manual; hyphens: manual; } Turn hyphens off for monospace and headings. 13. Dark mode/inverted text Reduce grade if available to prevent bloom of inverted type. :root { --vf-grad: 0; } @media (prefers-color-scheme: dark) { :root { --vf-grad: -50; } } * { font-variation-settings: "GRAD" var(--vf-grad, 0); } Not all fonts have a grade (GRAD) axis, and the grade number is font-specific. We’re using the customer property method because font-variation-settings provides low-level control meaning each subsequent use of the property completely overrides prior use – the values are not inherited or combined, unlike with font-variant for example. There are probably better ways of doing some of these things, and the preview page is rather lacking at the moment. Please let me know on Github, or better still fork it, edit and resubmit. Read or add comments Full Article Typography CSS techniques
graph Hierarchical Graph-Grammar Model for Secure and Efficient Handwritten Signatures Classification By www.jucs.org Published On :: 2011-07-04T16:04:47+02:00 One important subject associated with personal authentication capabilities is the analysis of handwritten signatures. Among the many known techniques, algorithms based on linguistic formalisms are also possible. However, such techniques require a number of algorithms for intelligent image analysis to be applied, allowing the development of new solutions in the field of personal authentication and building modern security systems based on the advanced recognition of such patterns. The article presents the approach based on the usage of syntactic methods for the static analysis of handwritten signatures. The graph linguistic formalisms applied, such as the IE graph and ETPL(k) grammar, are characterised by considerable descriptive strength and a polynomial membership problem of the syntactic analysis. For the purposes of representing the analysed handwritten signatures, new hierarchical (two-layer) HIE graph structures based on IE graphs have been defined. The two-layer graph description makes it possible to take into consideration both local and global features of the signature. The usage of attributed graphs enables the storage of additional semantic information describing the properties of individual signature strokes. The verification and recognition of a signature consists in analysing the affiliation of its graph description to the language describing the specimen database. Initial assessments display a precision of the method at a average level of under 75%. Full Article
graph « La bisexualité d’Alain Delon était impossible à révéler » : une nouvelle biographie par Bernard Violet - Le Parisien By news.google.com Published On :: Wed, 13 Nov 2024 13:00:00 GMT « La bisexualité d’Alain Delon était impossible à révéler » : une nouvelle biographie par Bernard Violet Le Parisien Full Article
graph Insurrection à Washington - Assaut du Capitole: culpabilité pour l'homme photographié dans le bureau de Nancy Pelosi By www.rtl.be Published On :: Mon, 23 Jan 2023 22:15:02 +0100 (Belga) Un Américain, qui avait été immortalisé les pieds sur une table dans le bureau de la cheffe démocrate Nancy Pelosi lors de l'assaut sur le Capitole, a été reconnu coupable lundi de plusieurs délits.Après une courte délibération, les jurés ont déclaré Richard Barnett, 62 ans, coupable, entre autres, d'entrave à une procédure officielle, vol et intrusion dans un bâtiment officiel avec une arme dangereuse (un bâton de marche capable d'envoyer des décharges électriques). Le 6 janvier 2021, il avait envahi, comme des centaines de partisans de l'ex-président républicain Donald Trump, le siège du Congrès au moment où les élus certifiaient la victoire du démocrate Joe Biden à la présidentielle. Il avait été photographié par l'AFP dans le bureau de la cheffe de la chambre des représentants, Nancy Pelosi, les pieds sur un meuble. Le cliché avait fait le tour du monde et permis à la police de l'interpeller rapidement. Selon le dossier d'accusation, ce partisan de la mouvance complotiste Qanon avait laissé un message insultant à la démocrate et volé une enveloppe qu'elle avait signée. Pendant son procès, il s'était montré défiant, assurant avoir été "poussé à l'intérieur" du Capitole par la foule. Sa peine sera prononcée en mai. En attendant, il reste assigné à résidence avec un bracelet électronique. En deux ans d'enquête, plus de 950 participants à cette attaque ont été arrêtés, et près de 200 condamnés à des peines de prison. (Belga) Full Article
graph Robust and secure file transmission through video streaming using steganography and blockchain By www.inderscience.com Published On :: 2024-09-26T23:20:50-05:00 File transfer is always handled by a separate service, sometimes it is a third-party service in videoconferencing. When sending files during a video session, file data flow and video stream are independent of each other. Encryption is a mature method to ensure file security. However, it still has the chance to leave footprints on the intermediate forwarding machines. These footprints can indicate that a file once passed through, some protocol-related logs give clues to the hackers' later investigation. This work proposes a file-sending scheme through the video stream using blockchain and steganography. Blockchain is used as a file slicing and linkage mechanism. Steganography is applied to embed file pieces into video frames that are continuously generated during the session. The scheme merges files into the video stream with no file transfer protocol use and no extra bandwidth consumed by the file to provide trackless file transmission during the video communication. Full Article
graph A Meta-ethnographic Synthesis of Support Services in Distance Learning Programs By Published On :: Full Article
graph Using Autobiographical Digital Storytelling for the Integration of a Foreign Student in the School Environment. A Case Study By Published On :: 2016-06-25 Immigrant students face a multitude of problems, among which are poor social adaptation and school integration. On the other hand, although digital narrations are widely used in education, they are rarely used for aiding students or for the resolution of complex problems. This study exploits the potential of digital narrations towards this end, by examining how the development and presentation of an autobiographical digital narration can assist immigrant students in overcoming their adaptation difficulties. For that matter, a female student presenting substantial problems was selected as the study’s subject. Data was collected from all the participating parties (subject, teacher, classmates) using a variety of tools, before, during, and after the intervention. It was found that through the digital narration she was able to externalize her thoughts and feelings and this, in turn, helped her in achieving a smoother integration in the school environment. In addition, the attitudes and perceptions of the other students for their foreign classmate were positively influenced. The intervention was short in duration and it did not require special settings. Hence, it can be easily applied and educators can consider using similar interventions. On the other hand, further research is recommended to establish the generalizability of the study’s findings. Full Article
graph Creatıng Infographics Based on the Bridge21 Model for Team-based and Technology-mediated Learning By Published On :: 2019-08-21 Aim/Purpose: The main aim of this study was modeling a collaborative process for knowledge visualization, via the creation of infographics. Background: As an effective method for visualizing complex information, creating infographics requires learners to generate and cultivate a deep knowledge of content and enables them to concisely visualize and share this knowledge. This study investigates creating infographics as a knowledge visualization process for collaborative learning situations by integrating the infographic design model into the team-based and technology-mediated Bridge21 learning model. Methodology: This study was carried out using an educational design perspective by conducting three main cycles comprised of three micro cycles: analysis and exploration; design and construction; evaluation and reflection. The process and the scaffolding were developed and enhanced from cycle to cycle based on both qualitative and quantitative methods by using the infographic design rubric and researcher observations acquired during implementation. Respectively, twenty-three, twenty-four, and twenty-four secondary school students participated in the infographic creation process cycles. Contribution: This research proposes an extensive step-by-step process model for creating infographics as a method of visualization for learning. It is particularly relevant for working with complex information, in that it enables collaborative knowledge construction and sharing of condensed knowledge. Findings: Creating infographics can be an effective method for collaborative learning situations by enabling knowledge construction, visualization and sharing. The Bridge21 activity model constituted the spine of the infographic creation process. The content generation, draft generation, and visual and digital design generation components of the infographic design model matched with the investigate, plan and create phases of the Bridge21 activity model respectively. Improvements on infographic design results from cycle to cycle suggest that the revisions on the process model succeeded in their aims. The rise in each category was found to be significant, but the advance in visual design generation was particularly large. Recommendations for Practitioners: The effectiveness of the creation process and the quality of the results can be boosted by using relevant activities based on learner prior knowledge and skills. While infographic creation can lead to a focus on visual elements, the importance of wording must be emphasized. Being a multidimensional process, groups need guidance to ensure effective collaboration. Recommendation for Researchers: The proposed collaborative infographic creation process could be structured and evaluated for online learning environments, which will improve interaction and achievement by enhancing collaborative knowledge creation. Impact on Society: In order to be knowledge constructors, innovative designers, creative communicators and global collaborators, learners need to be surrounded by adequate learning environments. The infographic creation process offers them a multidimensional learning situation. They must understand the problem, find an effective way to collect information, investigate their data, develop creative and innovative perspectives for visual design and be comfortable for using digital creation tools. Future Research: The infographic creation process could be investigated in terms of required learner prior knowledge and skills, and could be enhanced by developing pre-practices and scaffolding. Full Article
graph Towards Understanding Information Systems Students’ Experience of Learning Introductory Programming: A Phenomenographic Approach By Published On :: 2021-07-12 Aim/Purpose: This study seeks to understand the various ways information systems (IS) students experience introductory programming to inform IS educators on effective pedagogical approaches to teaching programming. Background: Many students who choose to major in information systems (IS), enter university with little or no experience of learning programming. Few studies have dealt with students’ learning to program in the business faculty, who do not necessarily have the computer science goal of programming. It has been shown that undergraduate IS students struggle with programming. Methodology: The qualitative approach was used in this study to determine students’ notions of learning to program and to determine their cognitive processes while learning to program in higher education. A cohort of 47 students, who were majoring in Information Systems within the Bachelor of Commerce degree programme were part of the study. Reflective journals were used to allow students to record their experiences and to study in-depth their insights and experiences of learning to program during the course. Using phenomenographic methods, categories of description that uniquely characterises the various ways IS students experience learning to program were determined. Contribution: This paper provides educators with empirical evidence on IS students’ experiences of learning to program, which play a crucial role in informing IS educators on how they can lend support and modify their pedagogical approach to teach programming to students who do not necessarily need to have the computer science goal of programming. This study contributes additional evidence that suggests more categories of description for IS students within a business degree. It provides valuable pedagogical insights for IS educators, thus contributing to the body of knowledge Findings: The findings of this study reveal six ways in which IS students’ experience the phenomenon, learning to program. These ways, referred to categories of description, formed an outcome space. Recommendations for Practitioners: Use the experiences of students identified in this study to determine approach to teaching and tasks or assessments assigned Recommendation for Researchers: Using phenomenographic methods researchers in IS or IT may determine pedagogical content knowledge in teaching specific aspects of IT or IS. Impact on Society: More business students would be able to program and improve their logical thinking and coding skills. Future Research: Implement the recommendations for practice and evaluate the students’ performance. Full Article
graph Navigating the Virtual Forest: How Networked Digital Technologies Can Foster Transgeographic Learning By Published On :: Full Article
graph The Interface between Technological Protection Measures and the Exemptions to Copyright under Article 6 Paragraph 4 of the Infosoc Directive and Section 1201 of the Digital Millennium Copyright Act By Published On :: Full Article
graph An Evolving Road Map: Student Perceptions and Contributions to Graphic Organizers within an Academic Wiki By Published On :: Full Article
graph DigiStylus: A Socio-Technical Approach to Teaching and Research in Paleography By Published On :: Full Article
graph Analysing Socio-Demographic Differences in Access and Use of ICTs in Nigeria Using the Capability Approach By Published On :: Full Article
graph A Novel Visual Cryptography Coding System for Jam Resistant Communications By Published On :: Full Article
graph Demographic Factors Affecting Freshman Students' Attitudes towards Software Piracy: An Empirical Study By Published On :: Full Article
graph IT Service and Support: What To Do With Geographically Distributed Teams? By Published On :: Full Article
graph Executive Higher Education Doctoral Programs in the United States: A Demographic Market-Based Analysis By Published On :: 2017-04-22 Aim/Purpose: Executive doctoral programs in higher education are under-researched. Scholars, administers, and students should be aware of all common delivery methods for higher education graduate programs. Background This paper provides a review and analysis of executive doctoral higher education programs in the United States. Methodology: Executive higher education doctoral programs analyzed utilizing a qualitative demographic market-based analysis approach. Contribution: This review of executive higher education doctoral programs provides one of the first investigations of this segment of the higher education degree market. Findings: There are twelve programs in the United States offering executive higher education degrees, though there are less aggressively marketed programs described as executive-style higher education doctoral programs that could serve students with similar needs. Recommendations for Practitioners: Successful executive higher education doctoral programs require faculty that have both theoretical knowledge and practical experience in higher education. As appropriate, these programs should include tenure-line, clinical-track, and adjunct faculty who have cabinet level experience in higher education. Recommendation for Researchers: Researchers should begin to investigate more closely the small but growing population of executive doctoral degree programs in higher education. Impact on Society: Institutions willing to offer executive degrees in higher education will provide training specifically for those faculty who are one step from an executive position within the higher education sector. Society will be impacted by having someone that is trained in the area who also has real world experience. Future Research: Case studies of students enrolled in executive higher education programs and research documenting university-employer goals for these programs would enhance our understanding of this branch of the higher education degree market. Full Article
graph Medical Image Security Using Quantum Cryptography By Published On :: 2018-05-18 Aim/Purpose: Medical images are very sensitive data that can be transferred to medical laboratories, professionals, and specialist for referral cases or consultation. Strict security measures must be utilized to keep these data secured in computer networks when transferred to another party. On a daily basis, unauthorized users derive ways to gain access to sensitive patient medical information. Background: One of the best ways to which medical image could be kept secured is through the use of quantum cryptography Methodology : Applying the principles of quantum mechanics to cryptography has led to a remarkable new dimension in secured network communication infrastructure. This enables two legitimate users to produce a shared secret random bit string, which can be used as a key in cryptographic applications, such as message encryption and authentication. Contribution: This paper can make it possible for the healthcare and medical professions to construct cryptographic communication systems to keep patients’ transferred data safe and secured. Findings: This work has been able to provide a way for two authorized users who are in different locations to securely establish a secret network key and to detect if eavesdropping (a fraudulent or disruption in the network) has occurred Recommendations for Practitioners: This security mechanism is recommended for healthcare providers and practitioners to ensure the privacy of patients’ medical information. Recommendation for Researchers: This paper opens a new chapter in secured medical records Impact on Society Quantum key distribution promises network security based on the fundamental laws of quantum mechanics by solving the problems of secret-key cryptography . Future Research: The use of post-quantum cryptography can be further researched. Full Article
graph Automatic Detection and Classification of Dental Restorations in Panoramic Radiographs By Published On :: 2019-05-01 Aim/Purpose: The aim of this study was to develop a prototype of an information-generating computer tool designed to automatically map the dental restorations in a panoramic radiograph. Background: A panoramic radiograph is an external dental radiograph of the oro-maxillofacial region, obtained with minimal discomfort and significantly lower radiation dose compared to full mouth intra-oral radiographs or cone-beam computed tomography (CBCT) imaging. Currently, however, a radiologic informative report is not regularly designed for a panoramic radiograph, and the referring doctor needs to interpret the panoramic radiograph manually, according to his own judgment. Methodology: An algorithm, based on techniques of computer vision and machine learning, was developed to automatically detect and classify dental restorations in a panoramic radiograph, such as fillings, crowns, root canal treatments and implants. An experienced dentist evaluated 63 panoramic anonymized images and marked on them, manually, 316 various restorations. The images were automatically cropped to obtain a region of interest (ROI) containing only the upper and lower alveolar ridges. The algorithm automatically segmented the restorations using a local adaptive threshold. In order to improve detection of the dental restorations, morphological operations such as opening, closing and hole-filling were employed. Since each restoration is characterized by a unique shape and unique gray level distribution, 20 numerical features describing the contour and the texture were extracted in order to classify the restorations. Twenty-two different machine learning models were evaluated, using a cross-validation approach, to automatically classify the dental restorations into 9 categories. Contribution: The computer tool will provide automatic detection and classification of dental restorations, as an initial step toward automatic detection of oral pathologies in a panoramic radiograph. The use of this algorithm will aid in generating a radiologic report which includes all the information required to improve patient management and treatment outcome. Findings: The automatic cropping of the ROI in the panoramic radiographs, in order to include only the alveolar ridges, was successful in 97% of the cases. The developed algorithm for detection and classification of the dental restorations correctly detected 95% of the restorations. ‘Weighted k-NN’ was the machine-learning model that yielded the best classification rate of the dental restorations - 92%. Impact on Society: Information that will be extracted automatically from the panoramic image will provide a reliable, reproducible radiographic report, currently unavailable, which will assist the clinician as well as improve patients’ reliance on the diagnosis. Future Research: The algorithm for automatic detection and classification of dental restorations in panoramic imaging must be trained on a larger dataset to improve the results. This algorithm will then be used as a preliminary stage for automatically detecting incidental oral pathologies exhibited in the panoramic images. Full Article
graph Autoethnography of the Cultural Competence Exhibited at an African American Weekly Newspaper Organization By Published On :: 2019-04-19 Aim/Purpose: Little is known of the cultural competence or leadership styles of a minority owned newspaper. This autoethnography serves to benchmark one early 1990s example. Background: I focused on a series of flashbacks to observe an African American weekly newspaper editor-in-chief for whom I reported to 25 years ago. In my reflections I sought to answer these questions: How do minorities in entrepreneurial organizations view their own identity, their cultural competence? What degree of this perception is conveyed fairly and equitably in the community they serve? Methodology: Autoethnography using both flashbacks and article artifacts applied to the leadership of an early 1990s African American weekly newspaper. Contribution: Since a literature gap of minority newspaper cultural competence examples is apparent, this observation can serve as a benchmark to springboard off older studies like that of Barbarin (1978) and that by examining the leadership styles and editorial authenticity as noted by The Chicago School of Media Theory (2018), these results can be used for comparison to other such minority owned publications. Findings: By bringing people together, mixing them up, and conducting business any other way than routine helped the Afro-American Gazette, Grand Rapids, proudly display a confidence sense of cultural competence. The result was a potentiating leadership style, and this style positively changed the perception of culture, a social theory change example. Recommendations for Practitioners: For the minority leaders of such publications, this example demonstrates effective use of potentiating leadership to positively change the perception of the quality of such minority owned newspapers. Recommendations for Researchers: Such an autoethnography could be used by others to help document other examples of cultural competence in other minority owned newspapers. Impact on Society: The overall impact shows that leadership at such minority owned publications can influence the community into a positive social change example. Future Research: Research in the areas of culture competence, leadership, within minority owned newspapers as well as other minority alternative publications and websites can be observed with a focus on what works right as well as examples that might show little social change model influence. The suggestion is to conduct the research while employed if possible, instead of relying on flashbacks. Full Article
graph Assessing the Graphic Questionnaire Used in Digital Literacy Training By Published On :: 2019-04-16 Aim/Purpose: To capture digital training experiences, the paper introduces a novel data collection method – a graphic questionnaire. It aims to demonstrate the opportunities and limitations of this tool for collecting feedback from socially disadvantaged participants of digital literacy training about their progress. Background: In training of digital skills for disadvantaged audiences through informal educational interventions, it is important to get sufficient knowledge on factors that lead to their progress in the course of training. There are many tools to measure the achievements of formal education participants, but assessing the effectiveness of informal digital skills training is researched less. The paper introduces a small-scale case study of the training programme aimed at the developing of reading and digital skills among the participants from three socially disadvantaged groups – people with hearing impairments, children from low income families, and elderly persons. The impact of the training on participants was evaluated using different tools, including a short graphic questionnaire to capture the perceptions of the participants after each training. Methodology: We performed a thematic analysis of graphic questionnaires collected after each training session to determine how the students perceived their progress in developing literacy and digital skills. Contribution The findings of the paper can assist in designing assessment of digital literacy programmes that focus not only on final results, but also on the process of gaining digital skills and important factors that facilitate progress. Findings: The graphic questionnaire allowed the researchers to get insights into the perception of acquired skills and progressive achievements of the participants through rich self-reports of attitudes, knowledge gained, and activities during training sessions. However, the graphic questionnaire format did not allow the collection of data about social interaction and cooperation that could be important in learning. Recommendations for Practitioners: Graphic questionnaires are useful and easy-to-use tools for getting rich contextual information about the attitudes, behaviour, and acquisition of knowledge in digital literacy training. They can be used in applied assessments of digital literacy training in various settings. Their simplicity can appeal to respondents; however, in the long-run interest of respondents in continuing self-reports should be sustained by additional measures. Recommendations for Researchers: Researcher may explore the variety of simple and attractive research instruments, such as “honeycomb” questionnaires and similar, to facilitate data collection and saturate feedback with significant perception of personal experiences in gaining digital literacy skills. Impact on Society: Designing effective digital literacy programmes, including engaging self-assessment methods and tools, aimed at socially disadvantaged people will contribute to their digital inclusion and to solving the issues of digital divide. Future Research: Exploration of diverse research methods and expanding the research toolset in assessing digital literacy training could advance our understanding of important processes and factors in gaining digital skills. Full Article
graph Development and Testing of a Graphical FORTRAN Learning Tool for Novice Programmers By Published On :: Full Article
graph On large automata processing: towards a high level distributed graph language By www.inderscience.com Published On :: 2024-06-04T23:20:50-05:00 Large graphs or automata have their data that cannot fit in a single machine, or may take unreasonable time to be processed. We implement with MapReduce and Giraph two algorithms for intersecting and minimising large and distributed automata. We provide some comparative analysis, and the experiment results are depicted in figures. Our work experimentally validates our propositions as long as it shows that our choice, in comparison with MapReduce one, is not only more suitable for graph-oriented algorithms, but also speeds the executions up. This work is one of the first steps of a long-term goal that consists in a high level distributed graph processing language. Full Article
graph Development of a Video Network for Efficient Dissemination of the Graphical Images in a Collaborative Environment By Published On :: Full Article
graph Applications of Geographical Information Systems in Understanding Spatial Distribution of Asthma By Published On :: Full Article
graph Picture of the Bibliographical Information of the Planet to the XXI Century by A.V. Kumanova: Book Review By Published On :: Full Article
graph CLEAR & RETURN: Stopping Run-Time Countermeasures in Cryptographic Primitives By search.ieice.org Published On :: Myung-Hyun KIM,Seungkwang LEE, Vol.E107-D, No.11, pp.1449-1452White-box cryptographic implementations often use masking and shuffling as countermeasures against key extraction attacks. To counter these defenses, higher-order Differential Computation Analysis (HO-DCA) and its variants have been developed. These methods aim to breach these countermeasures without needing reverse engineering. However, these non-invasive attacks are expensive and can be thwarted by updating the masking and shuffling techniques. This paper introduces a simple binary injection attack, aptly named clear & return, designed to bypass advanced masking and shuffling defenses employed in white-box cryptography. The attack involves injecting a small amount of assembly code, which effectively disables run-time random sources. This loss of randomness exposes the unprotected lookup value within white-box implementations, making them vulnerable to simple statistical analysis. In experiments targeting open-source white-box cryptographic implementations, the attack strategy of hijacking entries in the Global Offset Table (GOT) or function calls shows effectiveness in circumventing run-time countermeasures. Publication Date: 2024/11/01 Full Article
graph Another example of Google’s Knowledge Graph getting it wrong By www.rba.co.uk Published On :: Sat, 10 Jun 2017 08:58:40 +0000 Voting in the UK election has finished and the results are in, but the dust has most definitely not settled. It looks as we in the UK are in for interesting times ahead. It would help those of us researching the various political parties and policies if Google could at least get the basics right, … Continue reading Another example of Google’s Knowledge Graph getting it wrong → Full Article Google accuracy knowledge graph quality of information
graph Intel Arc Graphics Driver for Windows 11 & 10 - 32.0.101.6297 By www.majorgeeks.com Published On :: Wed, 13 Nov 2024 02:33:55 -0500 Intel Arc Graphics Driver for Windows is a driver specifically for Windows 10 and 11 with support for the 12th Gen Intel Core processor family and Intel Arc A-Series Graphics.... [License: Freeware | Requires: 11|10 | Size: 1 GB ] Full Article
graph Learn more about Di-O-Matic activities at Siggraph 2003 By www.di-o-matic.com Published On :: 22 Jul 2003 16:08:38 GMT Full Article
graph Melania Trump's autobiography remains atop Amazon's list of bestsellers By www.washingtontimes.com Published On :: Sun, 10 Nov 2024 16:56:13 -0500 It is of note that incoming first lady Melania Trump's autobiography remains No. 1 on Amazon's "most sold" bestseller list. Her book -- which was published Oct. 8 by Skyhorse -- has also reached No. 1 in the categories of memoirs, political leader biographies and -- interestingly enough -- in traveler and explorer biographies. Full Article
graph The Future of Botanical Monography: Report from an international workshop, 12–16 March 2012, Smolenice, Slovak Republic By www.eubon.eu Published On :: Thu, 21 Feb 2013 17:42:00 +0200 Monographs are fundamental for progress in systematic botany. They are the vehicles for circumscribing and naming taxa, determining distributions and ecology, assessing relationships for formal classification, and interpreting long-term and short-term dimensions of the evolutionary process. Despite their importance, fewer monographs are now being prepared by the newer generation of systematic botanists, who are understandably involved principally with DNA data and analysis, especially for answering phylogenetic, biogeographic, and population genetic questions. As monographs provide hypotheses regarding species boundaries and plant relationships, new insights in many plant groups are urgently needed. Increasing pressures on biodiversity, especially in tropical and developing regions of the world, emphasize this point. The results from a workshop (with 21 participants) reaffirm the central role that monographs play in systematic botany. But, rather than advocating abbreviated models for monographic products, we recommend a full presentation of relevant information. Electronic publication offers numerous means of illustration of taxa, habitats, characters, and statistical and phylogenetic analyses, which previously would have been prohibitively costly. Open Access and semantically enhanced linked electronic publications provide instant access to content from anywhere in the world, and at the same time link this content to all underlying data and digital resources used in the work. Resources in support of monography, especially databases and widely and easily accessible digital literature and specimens, are now more powerful than ever before, but interfacing and interoperability of databases are much needed. Priorities for new resources to be developed include an index of type collections and an online global chromosome database. Funding for sabbaticals for monographers to work uninterrupted on major projects is strongly encouraged. We recommend that doctoral students be assigned smaller genera, or natural portions of larger ones (subgenera, sections, etc.), to gain the necessary expertise for producing a monograph, including training in a broad array of data collection (e.g., morphology, anatomy, palynology, cytogenetics, DNA techniques, ecology, biogeography), data analysis (e.g., statistics, phylogenetics, models), and nomenclature. Training programs, supported by institutes, associations, and agencies, provide means for passing on procedures and perspectives of challenging botanical monography to the next generation of young systematists. Source: Crespo, A., Crisci, J.V., Dorr, L.J., Ferencová, Z., Frodin, D., Geltman, D.V., Kilian, N., Linder, H.P., Lohmann, L.G., Oberprieler, C., Penev, L., Smith, G.F., Thomas, W., Tulig, M., Turland, N. & Zhang, X.-C. 2013. The Future of Botanical Monography: Report from an international workshop, 12–16 March 2012, Smolenice, Slovak Republic. Taxon 62: 4–20. Full Article News
graph Job Alert: Part-time Research Assistant, School of Geography and the Environment, Oxford By www.eubon.eu Published On :: Wed, 20 Nov 2013 11:00:00 +0200 The Environmental Change Institute (ECI) in the University of Oxford is seeking to appoint a Research Assistant to join the existing research team on two EU funded research projects.The role will require the development and application of methodologies for undertaking systematic literature reviews, quantitative analysis of model outputs, contribution to the writing of research papers, organisation of workshops and large meetings, and the performance of other duties necessary for the successful completion of both the IMPRESSIONS and OPENNESS projectsYou will have a Masters or equivalent in an environmental discipline and strong quantitative skills. You must have the ability to undertake systematic literature reviews and synthesise findings and assist in the management of large research projects. Excellent organisational and writing skills are essential.This is a part-time (50% FTE) post and is available for 24 months. The closing date for applications is 12.00 noon on Wednesday 18 December 2013. You can find more information and apply here. Full Article News
graph Job Alert: Postdoctoral Research Assistant, School of Geography and the Environment, Oxford By www.eubon.eu Published On :: Wed, 20 Nov 2013 11:14:00 +0200 The Environmental Change Institute (ECI) in the University of Oxford is seeking to appoint a Postdoctoral Research Assistant to join the existing research team on two EU funded research projects: IMPRESSIONS and OPENNESS.The role will require the development of a range of methodological and modelling approaches, including quantitative, qualitative and mixed techniques, to address a number of environmental science challenges in the contexts of operationalising ecosystem services and investigating cross-sectoral climate change impacts and vulnerabilities. The post provides the opportunity for a researcher with skills in programming, GIS and statistics to develop innovative solutions in research areas critical to ensuring the resilience of our future environment and to expand the modelling capability of the ECI team.You will have a PhD in a discipline relevant to modelling or environmental sciences and a background in programming and modelling. You will have experience of using Geographical Information Systems and a strong grounding in statistics and/or operational research. Excellent communication skills both written and oral are essential. You will be self-motivated, with the ability to work independently.This post is available for 24 months in the first instance.The closing date for applications is 12.00 noon on Wednesday 18 December 2013. It is intended that interviews will be held during the week beginning 13 January 2014. For more information and to apply for this position, click here. Full Article News
graph Classical monographs re-published in advanced open access By www.eubon.eu Published On :: Wed, 11 Jun 2014 15:51:00 +0300 The new Advanced Books platform of Pensoft opens new horizons for semantic book publishing Easy access to legacy data collected over hundreds-of-years of exploration of nature from the convenience of people's own computers for anyone all over the world? It may sound futuristic but a brand new pilot showcases how this is possible here and now.The new workflow demonstrates a re-publication of a volume of Flora Malesiana in a semantically enriched HTML edition available on the newly launched, Advanced Books publishing platform. The platform was demonstrated today at the EU funded pro-iBiosphere project which supported, in part, the re-publication of Flora Malesiana. When Linnaeus was laying the foundations of taxonomy as a science in his Species Plantarum and Systema Naturae books he probably did not imagine that his methods of publication of natural history data would remain almost unchanged for more than 270 years! The bulk of the information on the living World is still closed in paper-based legacy literature, especially in fundamental regional treatises such as Flora, Fauna and Mycota series, hardly accessible for readers, despite the dramatic changes in the publishing technologies that have taken place over the last decade.The new pilot, developed by Pensoft Publishers in a cooperation with the Naturalis Biodiversity Center, Plazi, and Botanischer Garten und Botanisches Museum Berlin-Dahlem (BGBM), demonstrates how a fundamental book in natural history can start a new life with Advanced Books. Re-publication of the Flora of Northumberland & Durham, published in 1838, will be the next to appear as a result of a collaboration between the Botanical Garden Meise National Botanic Garden of Belgium and Pensoft.Flora Malesiana is a systematic account of the flora of Malesia, the plant-geographical unit spanning six countries in Southeast Asia: Indonesia, Malaysia, Singapore, Brunei Darussalam, the Philippines, and Papua New Guinea. The plant treatments are not published in a systematic order but as they come about by the scientific efforts of some 100 collaborators all over the world.With the new platform, such scientifically important historical monographs, enriched with additional information from up-to-date external sources related to organisms' names, species treatments, information on their ecology, distribution and conservation value, morphological characters, etc., become freely usable for anyone at any place in the world.The re-publication in advanced open access comes with the many other benefits of the digitization and markup efforts such as data extraction and collation, distribution and re-use of content, archiving of different data elements in relevant repositories and so on."Advanced Books will bring many outstanding scientific monographs to a new life, however the platform is not only restricted to e-publish our legacy literature." commented Prof. Lyubomir Penev, Managing Director of Pensoft. "New books are mostly welcome on the platform, joining their historical predecessors in an open, common, human- and machine-readable, data space for the benefit of future researchers and the society in general" concluded Prof. Penev. Original Source: de Wilde W (2014) Flora Malesiana. Series I - Seed Plants, Volume 14. Myristicaceae. Advanced Books: e1141. doi: 10.3897/ab.e1141 Full Article News
graph 8th GEO European Projects Workshop (GEPW-8): Presentations and photgraphs are now available By www.eubon.eu Published On :: Tue, 08 Jul 2014 16:02:00 +0300 The 8th GEO European Projects Workshop (GEPW-8) took place in Athens, Greece, on 12 and 13 June, hosted by the Greek GEO Office - National Observatory of Athens and co-organized by the Mariolopoulos-Kanaginis Foundation for the Environmental Sciences. The event was intended to bring all those interested in and actively contributing to the Global Earth Observations System of Systems (GEOSS) from all over Europe together, in order to present their work and discuss how Europe can contribute to this international effort, especially in the wake of the launch of the new EU Framework Programme for Research, Horizon 2020, and renewal of the mandate of GEO for another 10 years through the endorsement of the 2014 Geneva Declaration. Oral presentations, a book of abstracts and the photos from the event are now uploaded and available for download on the events website. Full Article News
graph International Biogeography Society: 7th Biennial Conference By www.eubon.eu Published On :: Mon, 13 Oct 2014 10:23:00 +0300 The University of Bayreuth welcomes the International Biogeography Society for its 7th international conference, taking place on 8-12 January 2015. This modern research university has a major focus on ecological research housed in the Bayreuth Center for Ecology and Environmental Research (BayCEER). Novel concepts for research and teaching are established such as the Ecological-Botanical Gardens and the Global Change Ecology study program. The surroundings of Bayreuth are characterized by outstanding geological and climatic heterogeneity. Isolated fragments of natural ecosystems occur within a highly diverse cultural landscape. It was in the district of Bayreuth where Alexander von Humboldt, a leader in the early history of biogeography, gained his first experience in fieldwork after he finished his studies. At the end of the 18th century, before travelling the world, he worked as director of mining for the regional administration. Various places close to Bayreuth are linked to his scientific development. The conference will be marked by four plenary symposia, keynote lectures by the awardees of the society’s Alfred Russel Wallace Award and the MacArthur and Wilson Award, contributed paper sessions, and dynamic poster sessions over the lunch and evening. Topical focus sessions will span the breadth of biogeography, from watersheds to the global scale, from Paleozoic to the Anthropocene, and from microbes to megafauna. Essential details about the conference, and about the surrounding area, are available via the links above. Information will be updated as details become available in the coming months, so please check back occasionally or stay informed via Facebook and Twitter. Symposium: PS-2 Tracking Changes from Space: Advances of Remote Sensing in Biogeography A key problem that biogeographers and ecologists have strived to understand is the spatial patterns and temporal dynamics of the biota. In this age of climatic and land use changes and rapid rates of species extinctions, such knowledge has become an essential component for management and conservation. The synoptic view provided by earth-imaging sensors constitutes an important source of information on the distribution of habitats and biodiversity patterns at different spatial and temporal scales. The traditional approach to using these data has involved the classification of discrete land cover types which are then related to species distributions. A critical limitation of this approach is that many important dynamics are obscured as the variance is lost within arbitrary land cover classes. In recent years, novel analytical techniques and open source software have been developed that more fully exploit the spatial, spectral and temporal information content of remotely sensed imagery in order to quantify a broader range of ecosystem characteristics. This symposium features advances in the synoptic assessment of species distributions and biodiversity patterns including the development of methodologies for assessment, monitoring, and modeling, as well as their implications for management and conservation. More about the program and speakers available on the conference webpage: http://www.bayceer.uni-bayreuth.de/ibs2015/ Full Article Events
graph The Future of Botanical Monography: Report from an international workshop, 12–16 March 2012, Smolenice, Slovak Republic By www.eubon.eu Published On :: Thu, 21 Feb 2013 17:53:00 +0200 Full Article Events
graph A multiregion community model for inference about geographic variation in species richness By www.eubon.eu Published On :: Tue, 08 Mar 2016 09:22:36 +0200 Full Article Events
graph EMODnet Workshop on mechanisms and guidelines to mobilise historical data into biogeographic databases By www.eubon.eu Published On :: Thu, 08 Dec 2016 16:09:30 +0200 Full Article Events
graph Potential exploitation of avian resources by fossil hominids: an overview from ethnographic and historical data By www.eubon.eu Published On :: Wed, 14 Jun 2017 16:18:10 +0300 Full Article Events
graph Demographic trend could trigger rise in same-level falls: study By www.safetyandhealthmagazine.com Published On :: Thu, 22 Feb 2024 00:00:00 -0500 Melbourne, Australia — An expected increase in 45-and-older women in the workforce could mean more on-the-job falls to the same level, a recent study out of Monash University suggests. Full Article
graph 2016 State of Safety: Changing demographics By www.safetyandhealthmagazine.com Published On :: Sat, 19 Dec 2015 00:06:00 -0500 Older workers have a wealth of knowledge from their years of experience. But they also bring increased risk of on-the-job fatalities and severe injuries. In about six years, one-quarter of all U.S. workers will be 55 or older. What actions can safety professionals take now to ensure a safe workplace down the road? “This is the next frontier,” one safety pro says. Full Article
graph Graphic image of workplace fatalities By www.safetyandhealthmagazine.com Published On :: Fri, 24 Aug 2012 00:00:00 -0400 As a writer I’m loath to admit it, but sometimes words just can’t paint as clear of a picture as, well, a picture. Full Article
graph Infographic: Alcohol-impaired holiday traffic fatalities By www.safetyandhealthmagazine.com Published On :: Mon, 16 Dec 2013 15:53:00 -0500 An infographic presents statistics on motor vehicle deaths involving alcohol impairment during holiday periods. Full Article
graph Infographic: ‘Hands-free is not risk-free’ By www.safetyandhealthmagazine.com Published On :: Wed, 02 Apr 2014 00:00:00 -0400 A recent National Safety Council poll found 80 percent of drivers believe hands-free cell phones are safer than handheld phones. Full Article