ef Daughter's mission to give people CPR skills and access to defibrillators By www.bbc.co.uk Published On :: Thu, 17 Oct 2024 05:00:00 GMT Kenilworth woman's campaign to give people the best chance of surviving a cardiac arrest. Full Article
ef Council shaves £17.5m off budget deficit By www.bbc.com Published On :: Mon, 11 Nov 2024 18:20:59 GMT Money saved after placing service commitments on hold has helped cut the expected deficit to £9.5m. Full Article
ef U-turns and LinkedIn rants plague fire chief search By www.bbc.com Published On :: Wed, 13 Nov 2024 06:14:18 GMT The latest candidate for the post has withdrawn just days after the appointment was announced. Full Article
ef Norwich must 'crack on' despite defeats - Duffy By www.bbc.com Published On :: Wed, 06 Nov 2024 14:39:12 GMT Norwich City defender Shane Duffy urges the team to learn quickly and "crack on again" following two defeats away from home in the space of four days. Full Article
ef 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
ef Four arrested after protests at defence firm By www.bbc.com Published On :: Tue, 12 Nov 2024 17:31:21 GMT Palestine Action said its members blocked the entrance to two Elbit Systems UK sites in Bristol. Full Article
ef Activists bailed after protests at defence firm By www.bbc.com Published On :: Wed, 13 Nov 2024 12:51:15 GMT The activists, who staged protests outside a defence firm on Tuesday, are released on police bail. Full Article
ef In Defence of Anonymity By belledejour-uk.blogspot.com Published On :: Thu, 27 Feb 2014 10:14:00 +0000 Last month, I was invited to speak at TEDx East End. The theme was 'Society Beyond Borders,' so I opted to talk about the history of anonymity, and why it is so important to preserve it for marginalised activists and writers. Very often when you see the word 'anonymous' these days, it's followed almost immediately by the word 'troll'. But the rich history of anonymity and pseudonymity is far more than that, and has been a refuge for artists and others almost since the beginning of recorded history. In this talk I explore some of the leading lights of anonymity, and why they chose not to use their real names. Full Article anonymity politics TED writing
ef Teams “welcome freedom” offered by revised 2026 regulations | RaceFans Round-up By www.racefans.net Published On :: Sat, 09 Nov 2024 00:01:00 +0000 In the round-up: Teams "welcome freedom" of 2026 regulations • Alpine targets Colapinto - reports • Pulling quickest in Formula E test Full Article RaceFans Round-up
ef Prospects for South Americans pursuing F1 “getting better” – Colapinto | RaceFans Round-up By www.racefans.net Published On :: Sun, 10 Nov 2024 00:01:00 +0000 In the round-up: F1 hopes for South Americans "getting better" • Verschoor back to MP for fifth F2 season • Verstappen races in charity event Full Article RaceFans Round-up
ef New Aston Martin simulator ‘like something from Star Wars’ – Krack | RaceFans Round-up By www.racefans.net Published On :: Mon, 11 Nov 2024 00:01:00 +0000 In the round-up: New simulator 'like Star Wars' - Krack • Pirelli likes 'flexibility' of new C6 • Play NZ anthem when McLaren wins - Lawson Full Article RaceFans Round-up
ef Monza crash ‘made me mentally stronger’ – Antonelli | RaceFans Round-up By www.racefans.net Published On :: Tue, 12 Nov 2024 00:01:00 +0000 In the round-up: Monza crash 'made me stronger'- Antonelli • Perez staying at Red Bull - reports • Esterson fills empty Trident F2 seat Full Article RaceFans Round-up Andrea Kimi Antonelli
ef Alpine must make up for 0.3-second deficit with 2025 chassis – Briatore | RaceFans Round-up By www.racefans.net Published On :: Wed, 13 Nov 2024 00:01:00 +0000 In the round-up: Alpine must make up for 0.3-second deficit with 2025 chassis - Briatore • Stolen Lauda helmet goes on display • Wittich 'has not resigned' Full Article RaceFans Round-up Alpine
ef Licensing reforms would ease Michigan’s pain By www.mackinac.org Published On :: Tue, 15 Oct 2024 05:57:00 -0400 Let anesthesiology assistants work for themselves Full Article
ef New Search experiences in EEA: Rich results, aggregator units, and refinement chips By developers.google.com Published On :: Thur, 15 February 2024 10:00:00 +0000 Following our latest update on our preparations for the DMA (Digital Markets Act), we're sharing more details about what publishers can expect to see in regards to new search results in European Economic Area (EEA) countries, and how they can express interest in these experiences. Full Article
ef New Search experiences in South Africa: Badges and refinement chips By developers.google.com Published On :: Mon, 16 Sep 2024 08:00:00 +0000 We're sharing more information about our new search experiences in South Africa, and how South African platforms can express interest and participate. Full Article
ef Rédiger un devis de traduction efficace By trematranslations.jimdoweb.com Published On :: Thu, 25 Mar 2021 14:20:00 -0500 Ça y est ça mord... Vous avez envoyé des dizaines de CV à travers le monde, fait appel à votre réseau social, amical et professionnel, épluché la presse économique et arpenté les salons professionnels, et vous avez enfin une piste, une vraie, une demande de devis... Et maintenant ? Idéalement, vous aurez anticipé ce moment et préparé un modèle de document, mais si vous êtes pris au dépourvu, pas de panique ! Il est encore temps de créer un devis efficace, à condition de respecter les conseils suivants. La nécessité et l'utilité du devis Un devis est un document écrit décrivant la prestation que vous vous engagez à réaliser et le prix que vous proposez. C'est donc une proposition de contrat, qui vous engage si elle est acceptée (par écrit), il est donc important de rédiger ce devis avec soin, afin d'honorer vos engagements et d'éviter tout malentendu. Le devis est aussi un outil de communication. Un document clair et détaillé contribue à renvoyer une image rassurante. Un client cherche avant tout un professionnel compétent, faites donc en sorte que toutes vos communications d'entreprise, y compris votre devis, reflètent vos qualités et le mettent en confiance. Les mentions ESSENTIELLES Il est important de préciser que les informations qui suivent concernent uniquement les traducteurs français. Les règlementations en vigueur varient énormément d'un pays à l'autre, c'est pourquoi si vous ne résidez pas en France, je vous invite à vérifier auprès de votre association professionnelle ou d'un centre d'information pour les entreprises les règlementations s'appliquant à l'établissement de devis dans votre pays. Pour ce qui est de la France donc, le devis n'est pas obligatoire pour les prestations de services linguistiques (sauf si leur montant s'élève à plus de 1500 € HT). Vous êtes donc libre de le présenter comme une facture ou comme une proposition commerciale pour mettre en avant la valeur ajoutée de vos services, mais dans tous les cas, il devrait au moins préciser : Votre nom et vos coordonnées L'identification de votre entreprise : numéro SIRET, code APE Le nom et les coordonnées de votre client La date d'émission et éventuellement la durée de validité de votre proposition La prestation : description des éléments, délai de réalisation, mode de livraison, prix HT et TTC Les conditions importantes (à puiser dans vos conditions générales de prestation de services) : livraison, exécution... Le mode d'acceptation : bon pour accord (à dater et signer), mention précisant que l'acceptation du devis vaut acceptation des conditions générales de prestation de services. À titre d'exemple, je vous propose de télécharger le modèle de devis proposé ci-dessous. Les éléments surlignés sont à modifier pour chaque client potentiel. Devis Modèle de devis (FR).pdf Document Adobe Acrobat 372.6 KB Télécharger Le juste prix L'enjeu du devis est de vous permettre de décrocher un contrat. Pour certains clients, mais surtout malheureusement, pour beaucoup de traducteurs, l'obtention du contrat dépend essentiellement du prix. Le cas est classique, croyant à tort ou à raison, que son client potentiel ne s'intéresse qu'au montant TTC figurant en bas du devis, le traducteur tire au maximum son prix vers le bas dans l'espoir de remporter le contrat. Ne vous inquiétez pas nous sommes tous passés par là, mais méfiez-vous de ce réflexe. Il est nuisible à votre activité pour deux raisons : Vous ne tenez pas compte de votre seuil de rentabilité et vous engagez donc sur un prix qui sera trop faible pour vous permettre de vivre de votre activité. Le temps passé à traduire pour des cacahouètes ne pourra pas être utilisé pour effectuer ou rechercher des contrats plus rémunérateurs. Pour éviter ces écueils, ayez toujours en tête le prix minimum que vous devez demander pour garantir la rentabilité de votre entreprise et ne demandez JAMAIS moins, quelles que soient les circonstances (projet longue durée, client sympathique, période creuse, etc.). C'est simple, mais efficace. Répétez après moi : « je ne travaillerai plus jamais pour des cacahouètes » ! Une fois cette base établie, tout est négociable. Vous pouvez toujours vous serrer la ceinture pour décrocher un contrat, mais rappelez-vous que si vous le faites, il sera ensuite très difficile de renégocier vos tarifs avec votre client. Le prix idéal est équilibré, juste et cohérent. Ne soyez pas trop gourmand si vous démarrez (vous n'avez pas encore la réputation solide et la productivité d'un traducteur aguerri), mais n'hésitez pas à demander ce que vous estimez valoir. Un client sérieux, réellement intéressé par la qualité des traductions qu'il demande, ne se focalisera pas uniquement sur le prix. Si éventuellement vous ne remportez pas le contrat à cause d'un prix jugé trop élevé, résistez à la tentation de revenir vers le client avec un devis plus bas. Vous risqueriez de lui faire douter de votre niveau de compétence, voire de votre honnêteté (« si votre premier devis n'était pas ferme, c'est que vous avez essayé de me faire payer trop cher »). Mieux vaut donc accepter gracieusement la défaite. Vous renverrez alors l'image d'un professionnel sérieux, et qui sait, le client perdu reviendra peut-être vers vous lorsque votre concurrent moins cher aura bâclé sa traduction ! Les petits plus qui font la différence IDENTITÉ VISUELLE Comme nous l'avons évoqué au début de ce billet, le devis est aussi un outil de communication. Soignez donc sa présentation pour qu'il soit à la fois clair et complet. Comme tous vos autres documents d'entreprise, votre devis devrait reprendre les éléments de votre identité visuelle (couleurs, logo, typographie, etc) pour être immédiatement reconnaissable et évoquer subtilement le message de votre entreprise. CONDITIONS GÉNÉRALES DE PRESTATION DE SERVICE Nous avons déjà abordé la question des conditions générales de vente/prestation de service (CGV/CGPS) et leur importance pour éviter les malentendus pouvant devenir sources de conflit. Si vous avez pris le temps de rédiger des CGPS et en l'absence de tout autre forme de contrat, pensez à rappeler à vos clients potentiels que leur signature en bas du devis sous-entend l'acceptation de ces conditions. N'hésitez pas non plus à les joindre à votre devis pour clarifier au maximum les termes de votre accord. PAIEMENT Puisqu'un devis accepté à valeur de contrat, profitez-en pour informer vos clients de vos modalités de paiement. Indiquez le montant à régler et le délai accordé. Le cas échéant, vous pouvez également ajouter le montant d'un acompte payable à la commande ou le détail de paiements échelonnés (dates et montants), mais à ce stade, n'indiquez pas vos coordonnées bancaires : le prospect n'a pas encore décidé de vous confier le contrat. OUTILS De nombreux logiciels de facturation permettent de créer très facilement devis et factures. En quelques clics, vous enregistrez les coordonnées de votre client et le détail de la prestation, et la magie informatique fait le reste. En général, vous pouvez personnaliser les modèles proposés en y ajoutant votre logo ou en choisissant une couleur correspondant à votre identité visuelle. À télécharger (Ciel, EBP) ou disponibles en ligne (Axonaut, Kiwili, Quickbooks, Zervant, Henrii), généralistes ou spécialisés en fonction de votre secteur (LSP Expert) ou du statut de votre entreprise (MyAE.fr, Freebe), il existe des logiciels pour tous les goûts (et pour tous les budgets). À vous de les tester pour choisir celui qui vous conviendra le mieux et vous permettra d'améliorer votre productivité. Maintenant à vous de jouer ! Si vous avez d'autres conseils à ajouter, n'hésitez pas à nous en faire part, ni à m'envoyer un exemplaire de votre devis efficace. EN SAVOIR PLUS Devis : utilité, mentions obligatoire et modèle (LegalStart.fr) Le devis en traduction (Laurent Laget - Another Translator) Traducteurs freelance et devis (Céline Graciet - Naked Translations) Comment établir un devis (Portail Auto-entrepreneur) Les règles liées aux relations commerciales entre professionnels (Le Coin des Entrepreneurs) L'auteure Après avoir travaillé plusieurs années en tant que conseillère auprès de PME, Gaële Gagné est devenue traductrice indépendante en 2005. Aux commandes de Trëma Translations, elle traduit de l'anglais vers le français et partage ses connaissances en marketing et gestion d'entreprise avec ses collègues traducteurs dans un blog intitulé Mes petites affaires et par le biais de formations dispensées via Edvenn. Et maintenant ? Partagez Abonnez-vous au flux Consultez d'autres articles : Le traducteur et le déménageur À qui appartient votre mémoire de traduction ? Les CGV/CGPS : bouée de sauvetage du traducteur 5 règles d'or pour fixer ses tarifs de traduction L'identité visuelle du traducteur en 4 questions essentielles Full Article
ef Cómo defender tu TFG de Traducción e Interpretación 1 By jcarrera.es Published On :: Thu, 20 Aug 2015 16:40:10 +0000 La segunda convocatoria para defender los trabajos de fin de grado (TFG) de Traducción e Interpretación se acerca y sé que algunos […] Full Article Docencia defensa grado en Traducción e Interpretación TFG
ef Omar Youssef Souleimane : « Ce que j’ai entendu dans des classes de banlieue » By www.lepoint.fr Published On :: Wed, 13 Nov 2024 09:00:00 +0100 L'ecrivain d'origine syrienne a anime dans des colleges franciliens des ateliers organises pour lutter contre la radicalisation et promouvoir la laicite. Il temoigne. Full Article
ef The Use of Latent Semantic Indexing to Mitigate OCR Effects of Related Document Images By www.jucs.org Published On :: 2011-04-07T14:38:42+02:00 Due to both the widespread and multipurpose use of document images and the current availability of a high number of document images repositories, robust information retrieval mechanisms and systems have been increasingly demanded. This paper presents an approach to support the automatic generation of relationships among document images by exploiting Latent Semantic Indexing (LSI) and Optical Character Recognition (OCR). We developed the LinkDI (Linking of Document Images) service, which extracts and indexes document images content, computes its latent semantics, and defines relationships among images as hyperlinks. LinkDI was experimented with document images repositories, and its performance was evaluated by comparing the quality of the relationships created among textual documents as well as among their respective document images. Considering those same document images, we ran further experiments in order to compare the performance of LinkDI when it exploits or not the LSI technique. Experimental results showed that LSI can mitigate the effects of usual OCR misrecognition, which reinforces the feasibility of LinkDI relating OCR output with high degradation. Full Article
ef The Iceberg Effect: Behind the User Interface of Mobile Collaborative Systems By www.jucs.org Published On :: 2011-07-08T12:29:59+02:00 Advances in mobile technologies are opening new possibilities to support collaborative activities through mobile devices. Unfortunately, mobile collaborative systems have been difficult to conceive, design and implement. These difficulties are caused in part by their unclear requirements and developers' lack of experience with this type of systems. However, several requirements involved in the collaborative back-end of these products are recurrent and should be considered in every development. This paper introduces a characterization of mobile collaboration and a framework that specifies a list of general requirements to be considered during the conception and design of a system in order to increase its probability of success. This framework was used in the development of two mobile collaborative systems, providing developers with a base of back-end requirements to aid system design and implementation. The systems were positively evaluated by their users. Full Article
ef Coordinated System for Real Time Muscle Deformation during Locomotion By www.jucs.org Published On :: 2011-04-24T11:14:51+02:00 This paper presents a system that simulates, in real time, the volumetric deformation of muscles during human locomotion. We propose a two-layered motion model. The requirements of realism and real time computation lead to a hybrid locomotion system that uses a skeleton as first layer. The muscles, represented by an anatomical surface model, constitute the second layer, whose deformations are simulated with a finite element method (FEM). The FEM subsystem is fed by the torques and forces got from the locomotion system, through a line of action model, and takes into account the geometry and material properties of the muscles. High level parameters (like height, weight, physical constitution, step frequency, step length or speed) allow to customize the individuals and the locomotion and therefore, the deformation of the persons' muscles. Full Article
ef Enterprise Microblogging for Advanced Knowledge Sharing: The References@BT Case Study By www.jucs.org Published On :: 2011-07-08T12:31:42+02:00 Siemens is well known for ambitious efforts in knowledge management, providing a series of innovative tools and applications within the intranet. References@BT is such a web-based application with currently more than 7,300 registered users from more than 70 countries. Its goal is to support the sharing of knowledge, experiences and best-practices globally within the Building Technologies division. Launched in 2005, References@BT features structured knowledge references, discussion forums, and a basic social networking service. In response to use demand, a new microblogging service, tightly integrated into References@BT, was implemented in March 2009. More than 500 authors have created around 2,600 microblog postings since then. Following a brief introduction into the community platform References@BT, we comprehensively describe the motivation, experiences and advantages for an organization in providing internal microblogging services. We provide detailed microblog usage statistics, analyzing the top ten users regarding postings and followers as well as the top ten topics. In doing so, we aim to shed light on microblogging usage and adoption within a globally distributed organization. Full Article
ef On the Construction of Efficiently Navigable Tag Clouds Using Knowledge from Structured Web Content By www.jucs.org Published On :: 2011-07-08T12:31:45+02:00 In this paper we present an approach to improving navigability of a hierarchically structured Web content. The approach is based on an integration of a tagging module and adoption of tag clouds as a navigational aid for such content. The main idea of this approach is to apply tagging for the purpose of a better highlighting of cross-references between information items across the hierarchy. Although in principle tag clouds have the potential to support efficient navigation in tagging systems, recent research identified a number of limitations. In particular, applying tag clouds within pragmatic limits of a typical user interface leads to poor navigational performance as tag clouds are vulnerable to a so-called pagination effect. In this paper, a solution to the pagination problem is discussed, implemented as a part of an Austrian online encyclopedia called Austria-Forum, and analyzed. In addition, a simulation-based evaluation of the new algorithm has been conducted. The first evaluation results are quite promising, as the efficient navigational properties are restored. Full Article
ef Automatically Checking Feature Model Refactorings By www.jucs.org Published On :: 2011-05-06T16:03:26+02:00 A feature model (FM) defines the valid combinations of features, whose combinations correspond to a program in a Software Product Line (SPL). FMs may evolve, for instance, during refactoring activities. Developers may use a catalog of refactorings as support. However, the catalog is incomplete in principle. Additionally, it is non-trivial to propose correct refactorings. To our knowledge, no previous analysis technique for FMs is used for checking properties of general FM refactorings (a transformation that can be applied to a number of FMs) containing a representative number of features. We propose an efficient encoding of FMs in the Alloy formal specification language. Based on this encoding, we show how the Alloy Analyzer tool, which performs analysis on Alloy models, can be used to automatically check whether encoded general and specific FM refactorings are correct. Our approach can analyze general transformations automatically to a significant scale in a few seconds. In order to evaluate the analysis performance of our encoding, we evaluated in automatically generated FMs ranging from 500 to 2,000 features. Furthermore, we analyze the soundness of general transformations. Full Article
ef Least Slack Time Rate first: an Efficient Scheduling Algorithm for Pervasive Computing Environment By www.jucs.org Published On :: 2011-07-04T16:04:46+02:00 Real-time systems like pervasive computing have to complete executing a task within the predetermined time while ensuring that the execution results are logically correct. Such systems require intelligent scheduling methods that can adequately promptly distribute the given tasks to a processor(s). In this paper, we propose LSTR (Least Slack Time Rate first), a new and simple scheduling algorithm, for a multi-processor environment, and demonstrate its efficient performance through various tests. Full Article
ef 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
ef Bravo François Hollande !!! encore un effort. By marc-vasseur.over-blog.com Published On :: Mon, 01 Apr 2019 12:18:50 +0200 Je n’avais pas vu venir cette analyse de haut vol de l’ancien Président de la République et l’ancien Premier Secrétaire du Pati Socialiste, je cite « La reconquête des classes populaires est donc, pour la gauche, un impératif démocratique ». Je salue... Full Article
ef Donald Trump confie à Elon Musk et Vivek Ramaswamy "l'efficacité gouvernementale" By fr.euronews.com Published On :: Wed, 13 Nov 2024 07:54:23 +0100 Donald Trump confie à Elon Musk et Vivek Ramaswamy "l'efficacité gouvernementale" Full Article
ef Le chef de l'Église anglicane démissionne en raison de sa gestion d'un scandale d'abus sexuels By fr.euronews.com Published On :: Wed, 13 Nov 2024 09:02:02 +0100 Le chef de l'Église anglicane démissionne en raison de sa gestion d'un scandale d'abus sexuels Full Article
ef An efficient edge swap mechanism for enhancement of robustness in scale-free networks in healthcare systems By www.inderscience.com Published On :: 2024-07-05T23:20:50-05:00 This paper presents a sequential edge swap (SQES) mechanism to design a robust network for a healthcare system utilising energy and communication range of nodes. Two operations: sequential degree difference operation (SQDDO) and sequential angle sum operation (SQASO) are performed to enhance the robustness of network. With equivalent degrees of nodes from the network's centre to its periphery, these operations build a robust network structure. Disaster attacks that have a substantial impact on the network are carried out using the network information. To identify a link between the malicious and disaster attacks, the Pearson coefficient is employed. SQES creates a robust network structure as a single objective optimisation solution by changing the connections of nodes based on the positive correlation of these attacks. SQES beats the current methods, according to simulation results. When compared to hill-climbing algorithm, simulated annealing, and ROSE, respectively, the robustness of SQES is improved by roughly 26%, 19% and 12%. Full Article
ef DeFog: dynamic micro-service placement in hybrid cloud-fog-edge infrastructures By www.inderscience.com Published On :: 2024-07-05T23:20:50-05:00 DeFog is an innovative microservice placement and load balancing approach for distributed multi-cluster cloud-fog-edge architectures to minimise application response times. The architecture is modelled as a three-layered hierarchy. Each layer consists of one or more clusters of machines, with resource constraints increasing towards lower layers. Applications are modelled as service oriented architectures (SOA) comprising multiple interconnected microservices. As many applications can be run simultaneously, and as the resources of the edge and the fog are limited, choosing among services to run on the edge or the fog is the problem this work is dealing with. DeFog focuses on dynamic (i.e., adaptive) decentralised service placement within each cluster with zero downtime, eliminating the need for coordination between clusters. To assess the effectiveness of DeFog, two realistic applications based on microservices are deployed, and several placement policies are tested to select the one that reduces application latency. Least frequently used (LFU) is the reference service placement strategy. The experimental results reveal that a replacement policy that uses individual microservice latency as the crucial factor affecting service placement outperformed LFU by at least 10% in application response time. Full Article
ef MSI Katana 15 B13VFK-2201FR, PC portable gamer multimédia performant 15" IPS 144Hz sous GeForce RTX 4060 Core i7-H et SSD 1 To - LaptopSpirit By news.google.com Published On :: Wed, 13 Nov 2024 12:19:57 GMT MSI Katana 15 B13VFK-2201FR, PC portable gamer multimédia performant 15" IPS 144Hz sous GeForce RTX 4060 Core i7-H et SSD 1 To LaptopSpiritCe PC portable gamer avec une RTX 4070 est en promotion de 500 € jeuxvideo.comMSI Thin 15 B12UCX-2412FR, Ultrabook polyvalent 15" évolutif fin et léger sous Intel Core i5-H avec GeForce RTX 2050 pour jouer à des jeux modestes LaptopSpiritMSI GeForce RTX 4060 : la carte graphique est à son prix le plus bas jamais atteint sur ce site Le ParisienÀ moins de 700 euros ce dimanche, cela serait dommage de ne pas se jeter sur ce PC gamer Ouest-France Full Article
ef Guerre en Ukraine : Vladimir Poutine «est en train de lancer une attaque de missiles sur Kiev», avertit le chef de cabinet de Volodymyr Zelensky - CNEWS By news.google.com Published On :: Wed, 13 Nov 2024 09:40:56 GMT Guerre en Ukraine : Vladimir Poutine «est en train de lancer une attaque de missiles sur Kiev», avertit le chef de cabinet de Volodymyr Zelensky CNEWSGuerre en Ukraine, jour 994 : attaque massive sur Kiev, Blinken promet « une réponse ferme » La CroixUkraine: Kiev visée par une attaque de missiles et de drones RFIGuerre en Ukraine. Alerte aérienne, soldats nord-coréens à Koursk… le point sur la nuit Ouest-FranceVincent Hervouët : Trump mettra-t-il fin à la guerre en Ukraine ? Le Journal du dimanche Full Article
ef Hiking with a backpack is the workout of 2024. An exercise scientist says it’s worth the extra effort - The Globe and Mail By news.google.com Published On :: Wed, 13 Nov 2024 12:00:00 GMT Hiking with a backpack is the workout of 2024. An exercise scientist says it’s worth the extra effort The Globe and MailMilitary-Inspired Workout Has 'Huge Wins' for Women, Says Personal Trainer MSNHow Rucking Can Turn Your Walks into a Full-Body Workout Verywell HealthWhat Is Rucking and Is It Better Than Regular Walking? Here's What Personal Trainers Say EatingWellRucking: Why It’s a Great Workout & How to Get Started Athletech News Full Article
ef Ottawa businesses brace for possible Canada Post strike before the holiday season - CTV News Ottawa By news.google.com Published On :: Tue, 12 Nov 2024 19:40:58 GMT Ottawa businesses brace for possible Canada Post strike before the holiday season CTV News OttawaTougher work conditions for postal workers at the heart of labour dispute, union says The Globe and MailOttawa businesses worry about potential postal disruption CBC.caCalgary workers 'ready to go' if Canada Post, CUPW unable to reach agreement by Friday: union president Calgary Herald‘Feeling the pinch’: Potential postal strike may be first of many, Manitoba prof says Global News Toronto Full Article
ef Special counsel Jack Smith looking at stepping down before Trump takes office and is discussing how to end prosecutions - CNN By news.google.com Published On :: Wed, 13 Nov 2024 13:16:00 GMT Special counsel Jack Smith looking at stepping down before Trump takes office and is discussing how to end prosecutions CNN Full Article
ef UN chief warns COP29 summit to pay up or face climate-led disaster for humanity - The Globe and Mail By news.google.com Published On :: Tue, 12 Nov 2024 11:51:31 GMT UN chief warns COP29 summit to pay up or face climate-led disaster for humanity The Globe and MailClimate Summit, in Early Days, Is Already on a ‘Knife Edge’ The New York TimesAt COP29 summit, nations big and small get chance to bear witness to climate change The Globe and MailTerence Corcoran: COP29 hit by political ‘dunkelflaute’ Financial PostCOP29: Albania PM goes off script to ask 'What on Earth are we doing?' Euronews Full Article
ef Trump says Elon Musk, Vivek Ramaswamy will lead the Department of Government Efficiency - The Globe and Mail By news.google.com Published On :: Wed, 13 Nov 2024 00:53:45 GMT Trump says Elon Musk, Vivek Ramaswamy will lead the Department of Government Efficiency The Globe and MailWhy is Elon Musk becoming Donald Trump's efficiency adviser? BBC.comElon Musk and Vivek Ramaswamy will lead new 'Department of Government Efficiency' in Trump administration CTV NewsGeorge Conway: Musk, Ramaswamy to lead ‘nonexistent department’ The Hill Full Article
ef Trump Taps Fox News Pundit to Be Secretary of Defense - Rolling Stone By news.google.com Published On :: Wed, 13 Nov 2024 01:07:03 GMT Trump Taps Fox News Pundit to Be Secretary of Defense Rolling StoneTrump's defence choice stuns the Pentagon and raises questions about the Fox News host's experience CTV NewsHow Pete Hegseth went from Fox News host to Trump’s Defense Secretary pick CNNTrump Puts Allies on Alert by Handing Pentagon to Fox News Host Hegseth BloombergHouse Democrat ‘very disturbed’ by Hegseth pick as Trump Defense secretary The Hill Full Article
ef Online harms and Caroline’s Law – what’s the direction for the law reform? By script-ed.org Published On :: Mon, 13 Apr 2020 13:02:37 +0000 by Dr Kim Barker (University of Stirling) & Dr Olga Jurasz (Open University) The UK Government has recently published an Online Harms White Paper: initial consultation response. It is the cornerstone of the Government’s ongoing reform package which aims to Full Article Blog
ef An effectiveness analysis of enterprise financial risk management for cost control By www.inderscience.com Published On :: 2024-10-02T23:20:50-05:00 This paper aims to analyse the effectiveness of cost control oriented enterprise financial risk management. Firstly, it analyses the importance of enterprise financial risk management. Secondly, the position of cost control in enterprise financial risk management was analysed. Cost control can be used to reduce the operating costs of enterprises, improve their profitability, and thus reduce the financial risks they face. Finally, a corporate financial risk management strategy is constructed from several aspects: establishing a sound risk management system, predicting and responding to various risks, optimising fund operation management, strengthening internal control, and enhancing employee risk awareness. The results show that after applying the proposed management strategy, the enterprise performs well in cost control oriented enterprise financial risk management, with a cost accounting accuracy of 95% and an audit system completeness of 90%. It can also help the enterprise develop emergency plans and provide comprehensive risk management strategy coverage. Full Article
ef Does brand association, brand attachment, and brand identification mediate the relationship between consumers' willingness to pay premium prices and social media marketing efforts? By www.inderscience.com Published On :: 2024-10-02T23:20:50-05:00 This study investigates the effects of social media marketing efforts (SMME) on smartphone brand identification, attachment, association, and willingness to pay premium prices. A survey of 320 smartphone users who followed official social media handles managed by smartphone companies was conducted for this purpose. PLS-SEM was used to analyse the collected data. The findings demonstrated importance of SMME dimensions. According to the study's findings, the smartphone brand's SMMEs had significant impact on brand identification, brand association, and brand attachment. The results revealed that SMMEs had significant impact on willingness to pay the premium price. The findings also show that brand identification, attachment, and association mediated the relationship between SMMEs and willingness to pay a premium price. The findings of this study will be useful in developing social media marketing strategies for smartphones. This study demonstrates the use of social media marketing to promote mobile phones, particularly in emerging markets. Full Article
ef SVC-MST BWQLB multicast over software-defined networking By www.inderscience.com Published On :: 2024-07-01T23:20:50-05:00 This paper presents a Scalable Video Coding (SVC) system over multicast Software-Defined Networking (SDN), which focuses on, transmission management for the sender-receiver model. Our approach reduces bandwidth usage by allowing the receiver to select various video resolutions in a multicast group, which helps avoid a video freezing issue during bandwidth congestion. Moreover, the SVC Multiple Sessions Transmission Bandwidth thresholds Quantised Level Balance (SVC-MST BWQLB) routes different layers of the SVC stream using distinct paths and reduces storage space and bandwidth congestion problems in different video resolutions. The experimental results show that the proposed model provides better display quality than the traditional Open Shortest Path First (OSPF) routing technique. Furthermore, it reduced transmission delays by up to 66.64% for grouped resolutions compared to SVC-Single Session Transmission (SVC-SST). Additionally, the modified Real-time Transport Protocol (RTP) header and the sorting buffer for SVC-MST are proposed to deal with the defragmentation problem. Full Article
ef An effective differential privacy protection method of location data based on perturbation loss constraint By www.inderscience.com Published On :: 2024-07-01T23:20:50-05:00 Differential privacy is usually applied to location privacy protection scenarios, which confuses real data by adding interference noise to location points to achieve the purpose of protecting privacy. However, this method can result in a significant amount of redundant noisy data and impact the accuracy of the location. Considering the security and practicability of location data, an effective differential privacy protection method of location data based on perturbation loss constraint is proposed. After applying the Laplace mechanism under the condition of differential privacy to perturb the location data, the Savitzky-Golay filtering technology is used to correct the data with noise, and the data with large deviation and low availability is optimised. The introduction of Savitzky-Golay filtering mechanism in differential privacy can reduce the error caused by noise data while protecting user privacy. The experiments results indicate that the scheme improves the practicability of location data and is feasible. Full Article
ef BEFA: bald eagle firefly algorithm enabled deep recurrent neural network-based food quality prediction using dairy products By www.inderscience.com Published On :: 2024-10-07T23:20:50-05:00 Food quality is defined as a collection of properties that differentiate each unit and influences acceptability degree of food by users or consumers. Owing to the nature of food, food quality prediction is highly significant after specific periods of storage or before use by consumers. However, the accuracy is the major problem in the existing methods. Hence, this paper presents a BEFA_DRNN approach for accurate food quality prediction using dairy products. Firstly, input data is fed to data normalisation phase, which is performed by min-max normalisation. Thereafter, normalised data is given to feature fusion phase that is conducted employing DNN with Canberra distance. Then, fused data is subjected to data augmentation stage, which is carried out utilising oversampling technique. Finally, food quality prediction is done wherein milk is graded employing DRNN. The training of DRNN is executed by proposed BEFA that is a combination of BES and FA. Additionally, BEFA_DRNN obtained maximum accuracy, TPR and TNR values of 93.6%, 92.5% and 90.7%. Full Article
ef Digitalisation boost operation efficiency with special emphasis on the banking sector By www.inderscience.com Published On :: 2024-10-01T23:20:50-05:00 The banking sector has experienced a substantial technological shift that has opened up new and better opportunities for its customers. Based on their technological expenditures, the study assessed the two biggest public Indian banks and the two biggest private Indian banks. The most crucial statistical techniques used to demonstrate the aims are realistic are bivariate correlations and ordinary least squares. This work aims to establish a connection between research and a technology index that serves as a proxy for operational efficiency. The results show that for both public and private banks, the technology index positively influences operational efficiency metrics like IT costs, marketing costs, and compensation costs. This suggests that when the technology index increases, so do IT, marketing, and compensation costs, even though it has been shown that the technology index favourably improves operational efficiency measures like depreciation and printing. This means that the cost to banks is high despite greater investment in technology for these activities. Full Article
ef Does perceive organisational politics effect emotional intelligence and employee engagement? An empirical study By www.inderscience.com Published On :: 2024-10-07T23:20:50-05:00 This paper examines the growing aspect of perceive organisational politics (POPs) in organisations by understanding their employee engagement with mediating effect of emotional intelligence. This study is cross-sectional, wherein a survey is conducted on executives of different sectors holding strategic positions. The purposive sampling technique is applied to find the 117 most suitable executives for this survey. The survey is self-administered, and a questionnaire is used as an instrument with 43 measurement scale items adopted from previous similar studies. Construct's reliability and validity followed by PLS-SEM is performed using JASP statistical application. The result revealed that the dimensionality support and validation of POP based on a new set of measures centred on generalised beliefs of the application and abuse of power, infrastructure, credibility, choice making, and line-of-sight. In line with previous findings, the current findings also showed that POP works as a barrier to individual behavioural demand and can negatively affect work efficiency. Existence of perceive organisational politics due to the normative belief of the situation happing in the organisation, disengagement of employees, and also evaluates new empirical insight into the organisation by mediating emotional intelligence. Full Article
ef Effectiveness of Program Visualization: A Case Study with the ViLLE Tool By Published On :: Full Article
ef Making Information Systems less Scrugged: Reflecting on the Processes of Change in Teaching and Learning By Published On :: Full Article