ko

Nearly $10M investment will expand and enhance stroke care in Minnesota, South Dakota

DALLAS, October 10, 2024 — Across the United States, more than 90% of stroke patients have some form of disability as a result and more than 11% experience a second stroke within a year. This risk weighs particularly heavily on people living in rural...




ko

Test of Nikon D800e, a DX lens and a Teleconverter

I was fortunate to finally get a Nikon D800e (36 Mpx) after a brief 3 month wait. I didn't, and I also think its the same with Nikon, expect that there would be such a huge demand for this camera. I don't know why Nikon seemed to leap so far ahead with its next generation but I'm grateful. I think there are millions (well a whole bunch anyway) more who also think the same.

This is a full frame camera and a DX lens will work but is cropped due to limited image area. The camera even has mode where it will auto detect a DX lens and crop accordingly. Knowing that there is still a little more image available with the DX crop I decided not to crop and use whatever was available.

Nikon D800e with 70-200mm f2.8 VR. The image on right is actual size of window pane

My favorite DX lens is the 18-200mm f3.5 VR and as I travel around I notice others who like this lens. While it may have some pincushion and barrel distortion, thanks to Photoshop lens correction, this is almost all eliminated.
Nikon D800e with 70-200mm f2.8 VR set to 1.2 crop. The image on right is actual size of window pane. I didn't realize at first that the crop factor also applied to FX lens.

It was while I was performing a resolution test with my D300 and the new D800e by using both the 18-200mm f3.5 VR and the 70-200mm f2.8 VR that I noticed that when full zoomed on the DX lens that vignetting seemed to disappear, but looked like a dime at 18mm.

This excited me more than the current test and therefore I decided to pursue this further.

The 18-200mm is really like a 24-300mm on a DX camera due to the 1.5 crop factor and this range will meet about 90% of my needs. With a 1.4 teleconverter on the FX camera it's now almost the same range as on a DX camera.


The test I performed was hand-held as I didn't need with this test to check for perfect resolution. I stood in front of a large apartment building in the parking lot across the street and remained at the same position while I changed the lens focal length.

In the 1st test, see film strip below, there is significant vignetting in the 18mm and slowly reduces as the focal length is increased. Even at 200mm there is still slight vignetting at the corners.
When the teleconverter was added then magic seemed to appear. At 18mm there is only slight vignetting at the corners and disappears by 24mm. The film strip below shows the changes with teleconverter added.

Now a favorite lens becomes useful on my full frame camera.

Most lens that have such a wide range of focal lens is all about compromises when being designed and built. The same with the 18-200mm f3.5 VR. Photoshop easily handles the barrel distortion. But this lens at the glass edge, maybe more is being used now, also has a fair amount of chromatic appellation. This is also handled well with Photoshop. Since most artistic images don't need to be sharp or well defined at the corners of a photograph then any additional distortion caused by using more lens area is not really a problem with digital-editing.

So when and if you do decide to go full frame one day then your DX glass can be useful with a teleconverter.

The reason this works is because the lens is now further from the sensor and therefore increases in size on sensor chip. Take a magnifying glass and hold it to show an image appearing upside down on a piece of paper. Now move the magnifying glass further away and watch how the image on the paper grows larger. The same happens with a teleconverter attached.


Niels Henriksen




ko

Create a breakout game with HTML, CSS, and vanilla JavaScript

Let’s create a Breakout game using Vanilla JavaScript. In a Breakout game, the player uses a paddle to bounce a ball and hit bricks, removing the bricks one by one.




ko

Koi Theme Has Moved

Please be advised that the Koi theme has been converted into a Themify theme. With the Themify framework and widgets integration, it gives you more options in term of theme settings, styling, layout options, and sidebar widgets. I also added some new WordPress 3.0 features such as custom menus and child theme support. Read this […]




ko

How to customize the WooCommerce checkout page

Beautiful, high-converting checkout pages: Customize your WooCommerce checkout page with these tools and tips! Video + step-by-step instructions.




ko

Prepare your checkout for the holidays: 5 ways to reduce cart abandonment with Amazon Pay

Make the most of the holiday shopping season — convert more visitors into customers. Quick changes that can make a big difference in 5 steps.






ko

Fluid Breakout Layout with CSS Grid

So you're building a site and you've got a nice containing element around your content — but wait! Not all the content is the same width! That nice, neat tube of content is not so much a straight tube as a pile of different sized bricks.

It's a common layout problem, but how do we account for these 'breakout' widths in the layout? There's a couple ways we could go about it:

  • Encapsulate each component and set widths and margins. (Works fine if you have full control but can be fiddly).
  • Force the component out of the containing element with negative margins. (Works fine if there's only a little deviation).
  • Use CSS Grid to build a fluid universal grid! (????).

That last one is what we'll be exploring: how to use CSS Grid definitions to allow for consistent component sizing across all breakpoints — no media queries required!

This is a technique that's based on Ryan Mulligan's 'Layout Breakouts' which is based on Josh Comeau's 'Full-Bleed Layout' and is especially useful when creating a fully fluid layout. This also pairs well with fluid type techniques resulting in layouts that TRULY scale with the viewport size.

Setting Up the Grid #

Here's the layout we're going to be building:

If we break apart the design, we've got 4 possible widths for components:

  • Full-Width
  • Feature
  • Popout
  • Content

We've also go some special side-anchored elements that 'stick' to one of the screen edges but also honor the other element widths. We'll come back to these later on.

Now that we've categorized the widths, lets start drawing column edges and defining areas:

  1. Left margin / Full-Width
  2. Left Feature
  3. Left Popout
  4. Center Content
  5. Right Popout
  6. Right Feature
  7. Right margin / Full-Width

That's a lot of columns!

Yet on mobile, we only need 3 columns, just left margin (1), center content (4), and right margin (7). We want some of these intermediate columns to disappear!

Fortunately, CSS Grid gives us some powerful tools to create the measurements needed—yes, even for the disappearing columns! We won't even have to write any media queries for this one. We can make just ONE definition that works at all sizes.

We'll store our measurements as CSS variables for easy use later on:

:root {
  --gap: clamp(1rem, 4vw, 2rem);
  --full: minmax(var(--gap), 1fr);
  --feature: minmax(0, 12vw);
  --popout: minmax(0, 2rem);
  --content: min(clamp(30rem, 52vw, 60rem), 100% - var(--gap) * 2);
}

Let's break these down.

--gap: clamp(1rem, 4vw, 2rem);

gap will be our side margin, allowing it to stretch up to 2rem at max, with a preferred width of 4vw, but never going below 1rem.

--full: minmax(var(--gap), 1fr);

We're going to use the minmax() function for these next three measurements to say: "If there's room in the CSS Grid, you can expand out to here but then don't go smaller than the minimum".

The full area is going to expand from left edge to right edge (remember we have to split the areas to allow for the other columns) and will double as our margin, so we'll pop in our gap value as our minimum and tell it that it can expand up to 1fr, or basically as much space as the rest of the grid will allow it.

--feature: minmax(0, 12vw);
--popout: minmax(0, 2rem);

The feature and popout both have a minimum value of 0. This is what powers our disappearing columns! As other areas of the grid expand, these will collapse when there's no longer any room for them, essentially taking up no space.

--content: min(clamp(30rem, 52vw, 60rem), 100% - var(--gap) * 2);

And then finally, our content area is our most complex measurement. It's saying, take the minimum value of either:

  1. A fluid measurement that can be 30-60rem (with the help of clamp())
  2. OR full width minus our gap value (but doubled for both left and right values).

These measurements can be changed to fit the needs of your layout. Specifically the feature and popout maximum values and the first content value. For example, our use of vw for the feature means it will fluidly expand out as the screen grows whereas the popout will remain only 2rem larger on each side than the content column.

Now we can assemble these measurements in a CSS grid column definition. We'll name our column edges with [custom-ident] and use the -start and -end endings to help make assignment easier later on.

.grid-breakout {
  display: grid;
  grid-template-columns: [full-start] var(--full)
    [feature-start] var(--feature)
    [popout-start] var(--popout)
    [content-start] var(--content) [content-end]
    var(--popout) [popout-end]
    var(--feature) [feature-end]
    var(--full) [full-end];
}

The definition is complex, but if we visualize the start and end lines of our columns as well as the measurements, it looks like this:

You can see we have our middle content column, our disappearing feature and popout columns, and finally our full columns that double as our margin.

To finish off the definitions, we need to create column assignments. Because we named our columns with custom identifiers and specified the start and stop lines, we don't have to fiddle with grid numbers. We can assign them directly like:

.full {
  grid-column: full;
}

.feature {
  grid-column: feature;
}

.popout {
  grid-column: popout;
}

.content {
  grid-column: content;
}

And if we want to create a default assignment for elements in the grid (which is especially useful if you don't have full control over the markup) you can create one like this:

.grid-breakout > * {
  grid-column: content;
}

Now you can attach any of these classes to components in your grid and have them snap to the width you want.

Watch the screen capture below as the grid scales down. You can see the feature and popout columns disappearing as everything transitions to a mobile width, and then expands back up.

You can see a demo of the base setup here:

Nesting Grids #

Now let's go back to our header element. You can see that though the header is full-width, we actually want its inner content to honor the feature width.

Fortunately, because of the flexible nature of this grid definition, we can repeat the definition and then continue using the same column names on the inner structure. Because our grid only goes one layer deep we're free to replicate as much as we need or even break out and use different layout methods for the component interiors.

<main class="grid-breakout">
  <section class="full grid-breakout">
     <div class="feature">
        <!-- inner content -->
     </div>
  </section>
</main>

You can see it in action here:

Anchoring Left and Right #

Remember those side-anchored components? This is where we need to get a little tricky to line everything up.

Going back to our diagram, we want an element to span MOST of the way across the page, but end at the opposite feature edge. We can reuse our column definitions for the first part.

.feature-left {
  grid-template-columns: full-start / feature-end;
}

Great! That gives us exactly what we want... except for when we try to nest the grids.

Our original grid definition assumes that our content, while different widths, is centered in the window. We have to rethink our inner grid definition a little bit.

We're shaving off one end of the grid, specifically a full definition. So two things need to happen:

  1. We need to adjust our content width to now account for only having one gap.
  2. We need our new grid end to stop at the edge of the feature column.

We can achieve this with a new measurement and a new grid definition:

:root {
  /* previous definitions... */
  --content-inset: min(clamp(30rem, 52vw, 60rem), 100% - var(--gap));
}

.grid-breakout-feature-left {
  display: grid;
  grid-template-columns:
    [full-start] var(--full)
    [feature-start] var(--feature)
    [popout-start] var(--popout)
    [content-start] var(--content-inset) [content-end]
    var(--popout) [popout-end]
    var(--feature) [feature-end full-end];
}

We've replaced the inner content measurement with the new value and combined the feature and full ends with the final line of the template column definition:

[feature-end full-end]

This will allow redefinition inside the new side-anchored component. You will notice that you'll need to supply your own padding for the inner as they no longer have that final margin to prevent it from reaching the new grid edge.

<main class="grid-breakout">
  <section class="feature-left grid-breakout-feature-left">
    <div class="feature">
      <!-- inner content -->
    </div>
  </section>
</main>

If you want to reverse this to be anchored to the right, you can flip the grid definition, moving the double start to the top like:

.grid-breakout-feature-right {
  display: grid;
  grid-template-columns:
    [full-start feature-start] var(--feature)
    [popout-start] var(--popout)
    [content-start] var(--content-inset) [content-end]
    var(--popout) [popout-end]
    var(--feature) [feature-end]
    var(--full) [full-end];
}

You can see a demo of the side-anchored component here:

But What About Tailwind! #

We love using Tailwind at Viget as a Team Accelerator™, and it's straightforward to implement these measurements and definitions in your Tailwind config.

/** @type {import('tailwindcss').Config} */
import plugin from "tailwindcss/plugin";

export default {
  // the rest of your other definitions
  theme: {
    // the rest of your theme definitions
    extend: {
      gridColumn: {
        content: "content",
        popout: "popout",
        feature: "feature",
        full: "full",
        "feature-left": "full-start / feature-end",
      },
      gridTemplateColumns: {
        breakout: `[full-start] var(--full)
            [feature-start] var(--feature)
            [popout-start] var(--popout)
            [content-start] var(--content) [content-end]
            var(--popout) [popout-end]
            var(--feature) [feature-end]
            var(--full) [full-end]`,
        "breakout-feature-left": `[full-start] var(--full)
            [feature-start] var(--feature)
            [popout-start] var(--popout)
            [content-start] var(--content-inset) [content-end]
            var(--popout) [popout-end]
            var(--feature) [feature-end full-end];`,
      },
    },
  },
  plugins: [
    plugin(function ({ addBase }) {
      addBase({
        ":root": {
          // grid sizing variables
          "--gap": "clamp(1rem, 4vw, 2rem)",
          "--full": "minmax(var(--gap), 1fr)",
          "--content": "min(clamp(30rem, 52vw, 60rem), 100% - var(--gap) * 2)",
          "--popout": "minmax(0, 2rem)",
          "--feature": "minmax(0, 12vw)",
          "--content-inset": "min(clamp(30rem, 52vw, 60rem), 100% - var(--gap))",
        },
        // force unspecified content blocks into 'content' grid
        ".grid-cols-breakout > *": {
          "grid-column": "content",
        },
      });
    }),
  ],
};

Everything is effectively the same, but you'll call your grid classes like grid-cols-breakout to set the grid, and your columns like col-feature per Tailwind naming conventions.

Forwards to a Fluid Future! #

And there you have it! A media-query-less fluid breakout layout defined with CSS grid!

While the setup is more complicated at first glance, I've found that the more fluid your layout rules are, the FEWER rules you have to write overall! Especially when paired with fluid type, dynamic viewport units, and all the amazing features that are landing in CSS — it's truly a fluid future!



  • Code
  • Front-end Engineering

ko

RIP a Livecast #655 – This is the Hot Stuff with special guest Alex Skolnick

This will be the last episode of the Livecast posted to Metal Injection, get future episodes at ripalivecast.com Skoly-D himself, Alex Skolnick sits in with us to chat about our […]



  • RIP a Livecast

ko

Rekomendasi Provider Slot Online Paling Populer

Tidak di pungkiri saat ini permainan slot sudah berkembang pesat, dimana para penggemarnya dapat mainkan slot tersebut secara online. Tidak perlu lagi pergi ke casino untuk mainkan slot ini, cukup menggunakan smartphone atau laptop yang terhubung ke internet sudah dapat bermain sepuasnya. Kelebihan dari permainan slot online ini lebih variatif dengan tema-tema permainan yang berbeda-beda. […]




ko

Geckoboard





ko

Nikkor 50mm f1.2 AI-s Colours




ko

5 Tips to Increase Checkout Conversions on Your Site

Arguably the most important part of your website is your store’s checkout page. This is where potential customers become buyers, but if your checkout page isn’t optimized correctly, they could end up abandoning their cart and spending their money elsewhere. While increasing checkout conversions is a worthy goal, it may seem like a lost cause because of a phenomenon […]




ko

The Single Gene Knockout that Causes Autism in Mice

This study has added to evidence that the cerebellum has important roles that are underappreciated.



  • Genetics &amp; Genomics

ko

[ENVS Lecture Series] A Rural Agrarian Reckoning: Multigenerational Farmers Seeking to Repair Soil, Agriculture, and Rural America Itself

Nov 21, 2024, 12pm EST

Sydney Giacalone, doctoral candidate in anthropology at Brown University, researches multigenerational farmers and ranchers across the U.S. who are transitioning away from conventional practices towards environmentally and social repairing approaches. This experience often involves questioning past education and internalized ideologies and learning to collaborate with nonhuman life to repair degraded ecologies. Join Giacaloneto learn more about her research.

BuildingCurtis Hall
Campus Location: Medford/Somerville campus
City: Medford, MA 02155
Campus: Medford/Somerville campus
Location Details: Curtis Hall Multipurpose Room (474 Boston Ave., Medford, MA)
Wheelchair Accessible (for in-person events): Yes
Open to Public: Yes
Primary Audience(s): Alumni and Friends
Event Type: Academic Date/Deadline, Lecture/Presentation/Seminar/Talk
Event Sponsor Details: Environmental Studies Program
Event Contact Name: Sinet Kroch
Event Contact Emailsinet.kroch@tufts.edu
RSVP Information: RSVP only needed for virtual attendants
More infotufts.zoom.us…



  • 2024/11/21 (Thu)

ko

IWMW 2006 announcement added to UKOLN home page.

Added IWMW 2006 announcement to the UKOLN home page. [2006-01-09]




ko

UKOLN Open Forum to take place prior to start of IWMW 2006.

A UKOLN Open Forum will be held on Wednesday 14 June from 10.00-12.00, prior to the official opening of the Institutional Web Management Workshop. The Open Forum will provide an opportunity to hear about some of the wider activities UKOLN is involved in. IWMW participants are invited to join the Open Forum. [2006-05-16]




ko

Cherish Chinatown Challenge Kickoff

Nov 14, 2024, 12pm EST

All Tufts students, faculty and staff are invited to attend the Cherish Chinatown Challenge Kickoff! Come and learn more about the Cherish Chinatown Challenge and how you can help support locally owned Chinatown businesses during the month-long challenge! Delicious treats from a local bakery will be served.

To learn more about the Cherish Chinatown Challenge, please visit: go.tufts.edu…

Campus: Boston Health Sciences campus
Location Details: Tufts School of Dental Medicine, 1 Kneeland Street, Dental Alumni Lounge Rm 1514
Open to Public: Yes
Primary Audience(s): Faculty, Staff, Students (Graduate), Students (Undergraduate)
Event Type: Community Engagement
Event Sponsor: Tufts University
Event Sponsor Details: Office of Government and Community Relations and Tisch College of Civic Life
Event Contact Name: Aaron Braddock
Event Contact Emailcommunityrelations@tufts.edu
Event Contact Phone: 617-627-3780
RSVP Informationtufts.qualtrics.com…
Event Admission: Free
More infogo.tufts.edu…



  • 2024/11/14 (Thu)


ko

South Korea Proposes Mandatory Human Rights Due Diligence Obligations on Employers

  • South Korean lawmakers have proposed a bill imposing mandatory human rights and environmental due diligence obligations on employers.
  • If the bill is enacted, this law will be the first of its kind in Asia.
  • This bill emerges as global employers are currently complying with a patchwork of due diligence laws in Western countries.




ko

MSHK: Hong Kong Alumni Fall BBQ

Starts: Sat, 16 Nov 2024 17:30:00 -0500
11/16/2024 05:30:00PM
Location: North Point, Hong Kong (china)




ko

MAA South Korea: Annual Networking Event

Starts: Sat, 23 Nov 2024 18:30:00 -0500
11/23/2024 06:30:00PM
Location: Seoul, Korea (south)




ko

McGill Society of Hong Kong Year End Holiday Dinner

Starts: Tue, 03 Dec 2024 19:30:00 -0500
12/03/2024 07:30:00PM
Location: Happy Valley, Hong Kong (china)




ko

You look like death : tales from the Umbrella Academy / story, Gerard Way and Shaun Simon ; art & colors, I.N.J. Culbard ; letters, Nate Piekos of Blambot ; cover and chapter breaks by Gabriel Bá.

"When 18-year-old Klaus gets himself kicked out of the Umbrella Academy and his allowance discontinued, he heads to a place where his ghoulish talents will be appreciated— Hollywood. But after a magical high on a stash stolen from a vampire drug lord, Klaus needs help, and doesn't have his siblings there to save him." -- Provided by publisher.




ko

The rose of Versailles. Volume 4 / Ryoko Ikeda ; translation: Jocelyne Allen ; lettering and touch up: Jeannie Lee.

"France spirals towards a civil war, as nobles continue to ignore the people of France. Noblewoman Oscar Fraṅois de Jarjayes is forced to reconsider her life as a soldier and a woman, her loyalties and her love. Marie Antoinette and the royal family seek escape, while Robespierre and the National Assembly take up arms and demand democracy." -- Provided by publisher.




ko

You Are Destined to be Together Forever Dean Koontz.

The singular journey of Odd Thomas is approaching its unforgettable conclusion in Saint Odd. But before Odd's destiny is revealed, this exclusive eBook short story looks back-way back-to where it all began for Odd Thomas and Stormy Llewellyn, two souls who are destined to be together forever. Amid the dizzying rides, tantalizing games of chance, and fanciful attractions of a state fair, two teenage sweethearts on the cusp of life and love's pleasures find their way to a shadowy carnival tent brimming with curiosities. There, from the bizarre and enthralling Gypsy Mummy, a mechanized merchant of dreams and prognosticator of tomorrows, the young couple learns what fate promises for them. But fate, for Odd Thomas and Stormy Llewellyn, is something altogether different: full of dark corners, sharp edges, and things no seer or soothsayer could ever anticipate. And for Odd Thomas, a gallant fry cook from a sleepy California desert town, the future beckons-to listen to unquiet spirits, pursue unsettling mysteries, and learn shocking truths ...for a purpose far greater than himself.




ko

Demon slayer = Kimetsu no yaiba. Volume 5, To hell / story and art by Koyoharu Gotouge ; translation, John Werry ; English adaptation, Stan! ; touch-up art & lettering, John Hunt.

"At Mt. Natagumo, Tanjiro, Zenitsu and Inosuke battle a terrible family of spider demons. Taking on such powerful enemies demands all the skill and luck Tanjiro has as he and his companions fight to rescue Nezuko from the spiders' web. The battle is drawing in other Demon Slayers but not all of them will leave Mt. Natagumo alive— or in one piece!" -- Page [4] of cover.




ko

Demon slayer = kimetsu no yaiba. Volume 20, The path of opening a steadfast heart / story and art by Koyoharu Gotouge ; translation, John Werry ; English adaptation, Stan! ; touch-up art & lettering, John Hunt.

"In Taisho-era Japan, kindhearted Tanjiro Kamado makes a living selling charcoal. But his peaceful life is shattered when a demon slaughters his entire family. His little sister Nezuko is the only survivor, but she has been transformed into a demon herself! Tanjiro sets out on a dangerous journey to find a way to return his sister to normal and destroy the demon who ruined his life … After their initial confrontation with Kokushibo, the most powerful of Muzan's demons, Tokito is severely wounded and Genya has been cut in half— but is still alive! Can his regenerative power heal even this fatal wound? Then the Hashira Himejima and Sanemi square off against Kokushibo and unleash all the skill they have against him. Himejima is blind, but if he can see into the Transparent World, he might have a chance. Who will survive this whirlwind of flashing blades?"-- Provided by publisher.




ko

Demon slayer = Kimetsu no yaiba. Volume 22, The wheel of fate / story and art by Koyoharu Gotouge ; translation, John Werry ; English adaptation, Stan! ; touch-up art & lettering, John Hunt.

"After centuries of preparation and training, the Demon Slayer Corps has come face-to-face with their nemesis, Muzan Kibutsuji. It is a desperate battle and several Demon Slayers have already been killed. Tanjiro himself has engaged Muzan, and, despite giving it everything he has, is taken out of the fight! Although severely injured and near death, he sees a vision of his ancestor that may hold the key to finally destroying Muzan! Can Tanjiro recover enough strength to fight Muzan to the finish?" -- Provided by publisher




ko

Demon slayer = Kimetsu no yaiba. 15, Daybreak and first light / story and art by Koyoharu Gotouge ; translation, John Werry ; English adaptation, Stan! ; touch-up art & lettering, Evan Waldinger.

"In Taisho-era Japan, Tanjiro Kamado is a kindhearted boy who makes a living selling charcoal. But his peaceful life is shattered when a demon slaughters his entire family. His little sister Nezuko is the only survivor, but she has been transformed into a demon herself! Tanjiro sets out on a dangerous journey to find a way to return his sister to normal and destroy the demon who ruined his life … Tanjiro finally chases down the main body of the upper-rank demon Hantengu. However, dawn is approaching, and the rising sun is a threat to Nezuko. Tanjiro's concern for his sister is a distraction from the focus he needs to fight Hantengu, and if he hesitates it could be the last mistake he ever makes! Elsewhere, Tamayo ponders the nature of Nezuko's curse and how she could be so different from other demons." -- Provided by publisher




ko

Future state. Batman, dark detective / Mariko Tamaki, Joshua Williamson, Gene Luen Yang [and others], writers ; Dan Mora, Giannis Milonogiannis, Ben Oliver [and others], art ; Jordie Bellaire, Arif Prianto, Otto Schmidt [and others], color ; Aditya Bidika

"Welcome to the possible future state of Gotham. The Magistrate, a freelance military and surveillance corporation, has been hired by Gotham's leadership to turn the old city into a futuristic surveillance state free of vigilante-based crime/heroics. Batman, horrified to see what his city was becoming, fought tooth and nail against Magistrate— and they killed him for it. Or did they? Bruce Wayne survived this assassination attempt, and has been laying low for years now trying to sort out how to beat Magistrate. The only problem? He doesn't think he can anymore. They're too big, they're too powerful. And the latest horrific revelation? They have eyes everywhere. It's left to Batman for one last mission. Destroy their command center, expose the drones, and free the city. Whatever the cost." -- Provided by publisher.




ko

Yo-kai watch. 17 / story and art by Noriyuki Konishi ; original concept and supervised by Level-5 Inc. ; translation, Tetsuichiro Miyaki ; English adaptation, Aubrey Sitterson ; lettering, John Hunt.

"Nate Adams is just an average kid until the mysterious Whisper gives him the Yo-kai Watch. Now he can see what others cannot: Yo-kai of all shapes and forms! … A mysterious door opens, causing Nate to run into weird and wacky Yo-kai from the past, present and future. Watch as they participate in a battle royale to decide which Yo-kai is the strongest!" -- Provided by publisher.




ko

Tenable Selected by Bank of Yokohama to Secure its Active Directory and Eliminate Attack Paths

Tenable®, Inc. the exposure management company, today announced that Bank of Yokohama, one of the largest of the major regional banks in Japan, has chosen Tenable Identity Exposure to protect its Active Directory and enhance the bank’s ability to protect its internal systems from cyber threats.

Bank of Yokohama, based in Kanagawa Prefecture and Tokyo Metropolitan, is committed to enhancing industry security standards. In 2023, it collaborated with 19 other regional banks to establish CMS-CSIRT, an organization providing mutual cybersecurity support. Unlike megabanks, regional banks often face resource and budget constraints, making such collaborative efforts crucial for implementing effective security programs.

As part of its objectives for FY 2023, the Bank of Yokohama wanted to improve Active Directory (AD) security as it’s the most crucial system in the bank’s intranet. Previously, the bank only applied security patches periodically without any tool or system to detect Active Directory misconfigurations or attacks. Given the evolving threat landscape and rise of attacks involving an identity breach, enhancing the security of Active Directory became a top priority.

“Attackers who have infiltrated an organization's internal system or who wield ransomware and other malware, almost always make a beeline for Active Directory,” said Mr. Akihiro Fushimi, Leader, Concordia Financial Group ICT Governance Department, Security Governance Section and Bank of Yokohama ICT Planning & Promotion Department, Security Governance Section. “They steal user account privileges and elevate them via Active Directory, to enable them to access important data. So, securing Active Directory was an area that we wanted to invest in.”

Bank of Yokohama already used Tenable Security Center for vulnerability management and trusted Tenable's reliability. Selecting Tenable Identity Exposure was an easy decision, with its fast, agentless feature ensuring a seamless deployment process.

The deployment of Tenable Identity Exposure provided the Bank of Yokohama with an in-depth view of its Active Directory. The bank can now accurately identify every AD account, including dormant accounts and machine identities, and understand the potential risks of exploitation by malicious actors due to the multi-functional capabilities of Active Directory. Tenable Identity Exposure detects many of the techniques used in cyber attacks to gain elevated privileges and enable lateral movement, including DCShadow, Brute Force, Password Spraying, Golden Ticket and more.

“Previously, we were under the impression that all we needed to do was to apply patches and manage accounts. Now, with the deployment of Tenable Identity Exposure, we are physically able to see the risk of exploitation. This, I believe, is the positive impact of deploying Tenable Identity Exposure. Its alert functions are comprehensive—it detects vulnerabilities as well as misconfigurations,” said Mr. Shinnosuke Shimada, Bank of Yokohama ICT Planning & Promotion Department, Security, Governance Section.

“Many organizations struggle to maintain proper Active Directory security as their domains grow more complex, often leaving flaws undetected until a major incident occurs. Given the high-profile attacks involving AD in recent years, it's crucial to prioritize AD security within the overall cybersecurity strategy,” said Naoya Kishima, Country Manager, Tenable Japan. “Bank of Yokohama recognizes this need, and we're pleased to support them in their security journey.”

About Tenable
Tenable® is the exposure management company, exposing and closing the cybersecurity gaps that erode business value, reputation and trust. The company’s AI-powered exposure management platform radically unifies security visibility, insight and action across the attack surface, equipping modern organizations to protect against attacks from IT infrastructure to cloud environments to critical infrastructure and everywhere in between. By protecting enterprises from security exposure, Tenable reduces business risk for more than 44,000 customers around the globe. Learn more at tenable.com

Media contact
Tenable PR
tenablepr@tenable.com 




ko

Welthunger-Index 2015: Hunger und bewaffnete Konflikte

Die Entwicklungsländer haben seit dem Jahr 2000 Fortschritte bei der Hungerreduzierung gemacht. Der Welthunger-Index 2015 (WHI) zeigt, dass die Hungerwerte dort insgesamt um 27 Prozent gesunken sind. Dennoch bleibt die Hungersituation weltweit „ernst“. In diesem Jahr hat IFPRI zum zehnten Mal den weltweiten Hunger mithilfe dieses multidimensionalen Instruments erfasst.




ko

Synopses: Welthunger-Index 2015: Hunger und bewaffnete Konflikte

Der Welthunger-Index (WHI) 2015 ist der zehnte in einer Reihe jährlicher Berichte, in denen die Hungersituation weltweit, nach Regionen und auf Länderebene mithilfe eines multidimensionalen Ansatzs dargestellt wird. Er zeigt, dass weltweit seit dem Jahr 2000 Fortschritte bei der Bekämpfung von Hunger erzielt wurden, dass aber angesichts noch immer „ernster“ oder „sehr ernster“ Hungerwerte in 52 Ländern nach wie vor viel zu tun bleibt. Das Thema des vorliegenden Berichts lautet „Hunger und bewaffnete Konflikte“. Konflikt und Hunger stehen in enger Beziehung.




ko

Nikolaas Kende, piano & Jolente De Maeyer, violin (November 13, 2024 7:30pm)

Event Begins: Wednesday, November 13, 2024 7:30pm
Location: Earl V. Moore Building
Organized By: School of Music, Theatre & Dance


Guest artists Nikolaas Kende, piano & Jolente De Maeyer, violin, perform a program including music by Stravinsky, Lera Auerbach, and Beethoven (“Kretzer” sonata).

GUEST ARTIST BIOS

One of the leading Belgian violinists, JOLENTE De MAEYER, has brought her virtuosity and passionate interpretations to diverse global audiences. She is recognized as an exceptionally gifted artist, reflected in the numerous awards and effusive reviews she has received for both her live performances and recordings.

Prizewinner of several international competitions in Portugal (Cardona Competition), Russia (Liana Issakadze Competition) and London (Benjamin Britten Competition), the international career of Jolente started with a successful participation at the Queen Elisabeth Competition in Brussels. Performances with all major Belgian orchestras and concert tours in Europe and the United States followed. She made her debut in Florida, Vermont, California, Washington DC and Canada in 2017. This was followed by an extensive tour in South Africa. Future engagements include concert tours in Europe, Canada, United States and China.

Her recordings include concerti by Saint-Saëns and Vieuxtemps with the Philharmonic Orchestra of Liège with Christian Arming, awarded an ‘Editors Choice’ from Diapason, and the CD *Kreutzer Sonata* with duo partner Nikolaas Kende, awarded a ‘Gold Label’ from Klassiek Centraal.

After an invitation from Yehudi Menuhin when she was 14 years old, Jolente studied at the Yehudi Menuhin School near London. She continued her studies in London, Berlin and Waterloo where she graduated in the class of Augustin Dumay in 2013.

Since 2018 Jolente is professor violin at the Conservatory of Tilburg, the Netherlands and since 2021 also at the Royal Conservatory of Antwerp. Jolente has given masterclasses in Belgium, Germany, Italy, Texas and California.


“Poet in every inch of his fingers” - *Le Progres*

NIKOLAAS KENDE has been praised for his poetic playing and honest, passionate musicality. Critics have honored his sensitive and visionary musicianship and his flawless skills always serving the music. Both as soloist and chamber musician he is a highly demanded pianist on international concert stages.

A winner of several competitions, including the Cantabile, EPTA, Vriendenkrans Concertgebouw Amsterdam and Tenuto competitions, Nikolaas started performing in all major halls in Belgium and the Netherlands. Highlights included the performances of the piano concertos by Brahms, Beethoven, Chopin, Schumann and Bartok with Brussels Philharmonic, Antwerp Symphony Orchestra, National Radio Orchestra Romania, among others.

After a concert at the Festival de Dansa y Musica Granada in 2019 *Ideal* wrote: "This promising pianist caresses the keyboard, expressive with colors and tender with the melody and all the degrees of affection that typify the romantic soul."

Besides being a regular guest at the Festival of Flanders, he has also performed at festivals in Italy (Ravello, Rome, Bari), France (Menton, Montpellier, Vexin), Portugal (Coimbra), Germany (Görlitz, Munich, Bad Berleburg) , Austria (Salzburg), Ireland (Westport), UK (Cotswolds), Czech Republic (Prague), Spain (Zaragoza, Madrid).

Nikolaas made his debut in America in 2009 with the 1st piano concerto of Brahms. This debut was well received in the press, “One could almost imagine a young Brahms at the keyboard doing precisely the same thing: more intent on communicating his piece than dazzling listeners with his performance.” Since then he has returned to America annually and has toured in Texas (Houston, Austin, San Antonio), California (San Francisco, Fresno, LA) and Vermont, Florida, California, Texas, Washington DC and New York. In 2019 amongst others his debut for the 'Dame Myra Hess Memorial Concerts' in Chicago. He also performed in the Netherlands Antilles, Canada and South Africa, where several tours followed.

In 2018 he made his debut in China with recitals in Bejijng, Harbin, Chongqing and Chengdu. Concerts in Shanghai, Xi'An, Yangzhou and Guangzhou followed in 2019. Also for the next seasons, concerts are planned in North America, Canada, South Africa and China.

As a chamber music partner he was a member of the Narziss und Goldmund trio and the Rubens Ensemble. His duo with violinist Jolente De Maeyer, which exists for almost 20 years, is often praised in the press for its exceptional synergy and harmony. The duo's debut CD *Kreutzer Sonata* was released by Warner and won a Golden Label from Klassiek Centraal for best chamber music album of 2016. De Standaard wrote about this: "You want to listen to this captivating recital album again immediately after the last track." In 2020 their next CD *Remains* was released by Evil Penguin Records.

Nikolaas studied in Antwerp with his parents, Heidi Hendrickx and Levente Kende, in Amsterdam with Jan Wijn and in Munich and Fiesole with Elisso Virsaladze. In addition he studied with such artists as Murray Perahia, Aldo Ciccolini and Radu Lupu.

In 2015, Nikolaas was appointed professor of piano at the Royal Conservatoire of Antwerp. He has given masterclasses in Belgium, Germany, Italy, Portugal, Texas, California and China.




ko

Korean, Swedish and Persian Dishes for Winter Solstice

Festivities for longest night of the year are an ancient ritual—and special foods are an essential element.




ko

The Gecko Effect

Years ago advertising was dominated by cars and beer. Today on the show, how a simple slogan and a talking gecko helped the insurance industry become one of the most dominant forces in advertising. Now, we're all living with the consequences. | Fill out our listener survey here

Learn more about sponsor message choices: podcastchoices.com/adchoices

NPR Privacy Policy




ko

Sense of Place: ATARASHII GAKKO! wants to awaken Tokyo from its doldrums

Following a set at Coachella and a breakout hit, this energetic Japanese girl group has its sights set on world domination.

Learn more about sponsor message choices: podcastchoices.com/adchoices

NPR Privacy Policy




ko

Researchers discover ‘epic’ new Burgess Shale site in Canada’s Kootenay National Park - Massive deposit may be world’s most important animal fossil discovery in decades

Massive deposit may be world’s most important animal fossil discovery in decadesKOOTENAY NATIONAL PARK, BRITISH COLUMBIA - Yoho National Park’s 505-million-year-old Burgess Shale – home to some of the planet’s earliest animals, including a very primitive human relative – is one of the world’s most important fossil sites. Now, more than a century after its […]



  • Environment & Natural Resources
  • Forestry
  • Science
  • University of Toronto
  • University of Toronto Mississauga

ko

Pet Stars: Scott Sanders and Noriko Rosted

In honor of National Adopt a Shelter Pet day on April 30th, we’re sharing two Moth stories all about the special role pets play in our lives. This episode is hosted by the Moth’s Social Media Coordinator, Estee Daveed.

Storytellers:

Scott Sanders deals with jealousy as his dog becomes a more successful actor than he is.

Noriko Rosted must find a pet sitter for her beloved cat before her trip to Italy.




ko

The Family Car: Mary Ann Ludwig and Melanie Kostrzewa

On this episode of the Moth podcast, we examine the relationship between cars and families. This episode is hosted by Kate Tellers.

Storytellers:

Mary Ann Ludwig’s teenagers decide to get up to some trouble with the family car

Melanie Kostrzewa redefines her relationship with her minivan




ko

Kid Stuff: Madden Mcdonagh and Nepurko Keiwua

On this episode, we learn from children. This episode is hosted by Chloe Salmon.

Storytellers:

Madden Mcdonagh gets more than she expected at a book fair.

Nepurko Keiwua leads a rib revolution.




ko

Nikon’s Scatter Correction CT

Nikon has announced the launch of Scatter Correction CT, a software solution that enhances image quality and measurement accuracy in industrial computed tomography (CT) scanning by correcting scatter artifacts.




ko

Škoda Auto Opens Simulation Center for Advanced Vehicle Testing

MLADÁ BOLESLAV, Czech Republic—Škoda Auto has opened new 22 million euro ($24 million) Simulation Center at its assembly plant here. 




ko

U.S. OKs $425 Million In More Weapons For Ukraine, As North Korea Sends Troops To Support Russia

The Biden administration has approved a new $425 million weapons aid package for Ukraine, which includes providing Kyiv with additional munitions, counter-drone equipment and Stryker vehicles.  The new security assistance […]




ko

State Department Approves $4.9 Billion Sale of E-7 Aircraft To South Korea

The State Department approved a potential Foreign Military Sale of $4.92 billion in Boeing [BA] E-7 Wedgetail Airborne Early Warning and Control Aircraft to South Korea. The Defense Security Cooperation […]




ko

Kongsberg Nabs Potential $329 Million Award To Build Turrets For Marines’ ACV-30

The Marine Corps has awarded Norway’s Kongsberg Defence & Aerospace a contract worth up to $329 million to build medium caliber remotely-operated weapon systems for the turreted variant of the […]




ko

Army Awards Repkon USA Potential $435 Million Deal To Build New TNT Factory In Kentucky

The Army has awarded Repkon USA a contract worth up to $435 million to build a new TNT production facility in Graham, Kentucky, the service said on Friday. The contract […]