image

FBI sting leads to arrest of Pilbara man allegedly accessing child exploitation images

A Pilbara man is granted bail after allegedly being found with more than 40,000 child exploitation images following a sting by authorities in the United States.




image

Weekend Planet Image




image

Paedophile Stephen Foster sent back to jail for using Pinterest to access images of young boys

An Adelaide paedophile will spend at least two years behind bars for masturbating in a store window and for using the social media site Pinterest to view images of young boys.





image

Images of cold case victims to be displayed at prisons to help solve more than 100 cases

Inmates at four South Australian prisons will be confronted with the faces of cold case murder victims in what authorities hope will be a "conscious jogger" for people to come forward with information.




image

Do distressing drought images tell the whole story?





image

Photo of sharks circling a beached whale secures Australian Geographic's top nature image prize

An ominous drone photo of sharks circling a whale beached near Albany in WA snaps top prize at this year's Australian Geographic Nature Photographer of the Year awards, with the photographer saying the scene was "unreal".




image

Great Barrier Reef changes image from marine park to theme park with underwater statues and hotels

Underwater statues and submerged hotels are some of the latest attractions on the Great Barrier Reef, concerning an old-school dive operator.




image

David Littleproud labels release of water storage images 'premature and incorrect'

The Murray-Darling Basin Authority will be investigated over its release of satellite images appearing to show dams filling with water, which David Littleproud labelled "premature" and "incorrect".




image

Murray-Darling Basin Authority chief apologises for public release of dam satellite images

The head of the Murray-Darling Basin Authority apologises for mistakenly publishing a report that identified farms via satellite imagery, which is now subject to investigation.




image

Satellite Images Show Armadas Of Vacant Cruise Ships Huddling Together Out At Sea - The Drive

Almost all of the world's cruise ships have formed ghost fleets with their crews trapped aboard




image

Canadian Pharmacy, Medications and Drug Spam - Image has been damaged

The Canadian Pharmacy Spammers are at it again, or should we say still at it again.




image

“A crazy thing to witness”: Photographer captures viral images of Denver coronavirus protest

Alyson McClaran had no idea she'd end up capturing some of the most powerful moments of the Colorado protest: two people who appeared to be health care workers, dressed in aquamarine scrubs and medical-grade face masks, standing in a crosswalk silently obstructing the path of shouting, car-bound protesters.





image

Beyoncé's Daughter Blue Ivy Wins Image Award



The NAACP Image Awards celebrated the 8-year-old.




image

Mirror Image




image

NSF's Newest Solar Telescope Produces First Images

Just released first images from the National Science Foundation's Daniel K. Inouye Solar Telescope reveal unprecedented detail of the Sun's surface and preview the world-class products to come from this preeminent 4-meter solar telescope. NSF's Inouye Solar Telescope, on the summit of Haleakala, Maui, in Hawai'i, will enable a new era of solar science and a leap forward in understanding the Sun and its impacts on our planet.




image

10/8/17 - Mirror image




image

Timofei Shatrov: Previewing images in and out of SLIME REPL

As any Common Lisp coder knows, a REPL is an incredibly useful tool. It can be used not just for development, but for running all sorts of tasks. Personally, I don't bother making my Lisp tools into executable scripts and just run them directly from SLIME. As such, any operation that requires leaving the REPL is quite inconvenient. For me, one such operation was viewing image files, for example in conjunction with my match-client:match tool. So lately I've been researching various methods to incorporate this functionality into the normal REPL workflow. Below, I present 3 methods that can be used to achieve this.

Open in external program

This one's easy. When you want to view a file, launch an external process with your favorite image viewer. On Windows a shell command consisting of the image filename would launch the associated application, on Linux it's necessary to provide the name of the image viewer.

(defvar *image-app* nil) ;; set it to '("eog") or something

(defun view-file-native (file)
  (let ((ns (uiop:native-namestring file)))
    (uiop:launch-program (if *image-app*
                             (append *image-app* (list ns))
                             (uiop:escape-shell-token ns)))))

Note that uiop:launch-program is used instead of uiop:run-program. The difference is that launch- is non-blocking - you can continue to work in your REPL while the image is displayed, whereas run- will not return until you close the image viewer.

Also note that when the first argument to run/launch-program is a string, it is not escaped, so I have to do it manually. And if the first argument is a list, it must be a program and a list of its arguments, so merely using (list ns) wouldn’t work on Windows.

Inline image in REPL

The disadvantage of the previous method is that the external program might steal focus, appear on top of your REPL and disrupt your workflow. And it's well known that Emacs can do everything, including viewing images, so why not use that?

In fact, SLIME has a plugin specifically for displaying images in REPL, slime-media. However it’s difficult to find any information on how to use it. Eventually I figured out that SWANK (SLIME’s CL backend) needs to send an event :write-image with appropriate arguments and slime-media's handler will display it right in the REPL. The easiest way is to just send the file path. The second argument is the resulting image's string value. If you copy-paste (sorry, "kill-yank") it in the repl, it would act just like if you typed this string.

(swank::send-to-emacs '(:write-image "/path/to/test.png" "test"))

You can even send raw image data using this method. I don't have anything on hand to generate raw image data so here's some code that reads from a file, converts it to a base64 string and sends it over SWANK.

(with-open-file (in "/path/to/test.png" :direction :input  :element-type '(unsigned-byte 8))
                (let* ((arr (make-array (file-length in) :element-type '(unsigned-byte 8)))
                       (b64 (progn (read-sequence arr in) (cl-base64:usb8-array-to-base64-string arr))))
                  (swank::send-to-emacs `(:write-image ((:data ,b64 :type swank-io-package::png)) "12345"))))

Note that the first argument to :write-image must be a list with a single element, which is itself a plist containing :data and :type keys. :data must be a base64-encoded raw image data. :type must be a symbol in swank-io-package. It’s not exactly convenient, so if you’re going to use this functionality a helper function/macro might be necessary.

Image in a SLIME popup buffer

Inline images are not always convenient. They can’t be resized, and will take up as much space as is necessary to display them. Meanwhile EMACS itself has a built-in image viewer (image-mode) which can fit images to width or height of a buffer. And SLIME has a concept of a “popup buffer” which is for example used by macroexpander (C-c C-m) to display the result of a macro expansion in a separate window.

Interestingly, slime-media.el defines an event :popup-buffer but it seems impossible to trigger it from SWANK. It is however a useful code reference for how to create the popup buffer in ELisp. This time we won’t bother with “events” and just straight up execute some ELisp code using swank::eval-in-emacs. However by default, this feature is disabled on Emacs-side, so you’ll have to set Emacs variable slime-enable-evaluate-in-emacs to t in order for this method to work.

Also Emacs must be compiled with ImageMagick for the resizing functionality to work.

Anyway, the code to view file in the popup buffer looks like this:

(defun view-file-slime (file &key (bufname "*image-viewer*"))
  (let ((ns (namestring file)))
    (swank::eval-in-emacs
     `(progn
        (slime-with-popup-buffer (,bufname :connection t :package t)
          (insert-image (create-image ,ns))
          (image-mode)
          (setf buffer-file-name ,ns)
          (not-modified)
          (image-toggle-display-image))
        ;; try to resize the image after the buffer is displayed
        (with-current-buffer ,bufname (image-toggle-display-image))))))
    ))

Arriving to this solution has required reading image-mode’s source code to understand what exactly makes image-mode behave just like if the image file was opened in Emacs via C-x C-f. First off, image-mode can be a major and a minor mode - and the minor mode is not nearly as useful. slime-with-popup-buffer has a :mode keyword argument but it would cause image-mode to be set before the image is inserted, and it will be a minor mode in this case! Therefore (image-mode) must be called after insert-image.

Next, the buffer must satisfy several conditions in order to get image data from the filename and not from the buffer itself. Technically it shouldn’t be necessary, but I couldn’t get auto resizing to work when data-p is true. So I set buffer-file-name to image’s filename and set not-modified flag on.

Next, image-toggle-display-image is called to possibly resize the image according to image-mode settings. It's called outside of slime-with-popup-buffer for the following reason: the buffer might not yet be visible and have any specific dimensions assigned to it, and therefore resizing will do nothing.

Here’s an example of how calling this function looks in Emacs.

The position of the popup buffer depends on whether the original Emacs window is wide enough or not. I think it looks better when it’s divided vertically. Use M-x image-transform-fit-to-height or M-x image-transform-fit-to-width to set up the auto-resizing method (it gets remembered for future images). Unfortunately there’s no way to fit both height and width, at least with vanilla Emacs. I prefer fit-to-width because in case the image is too tall, it is possible to scroll the image vertically with M-PgDn and M-PgUp from the other buffer. Unlike other image-mode buffers, this buffer supports a shortcut q to close itself, as well as various SLIME shortcuts, for example C-c C-z to return to the REPL.

That's it for now, hope you enjoyed this overview and if you happen to know a better way to display images in Emacs, I would be interested to hear about it.




image

Pictures from space! Our image of the day

An astronaut on board the International Space Station captured almost all of Mexico in a single shot while photographing planet Earth from inside the station's Cupola observatory.




image

How An Image Could've Let Attackers Hack Microsoft Teams Accounts

Microsoft has patched a worm-like vulnerability in its Teams workplace video chat and collaboration platform that could have allowed attackers to take over an organization's entire roster of Teams accounts just by sending participants a malicious link to an innocent-looking image. The flaw, impacting both desktop and web versions of the app, was discovered by cybersecurity researchers at






image

Vanessa Bryant files legal claim over images from Kobe Bryant chopper crash: report

The claim seeks damages in connection with the release of cellphone pictures taken by Los Angeles County Sheriff’s deputies at the scene of the Jan. 26 tragedy in Calabasas.




image

Vanessa Bryant files legal claim over images from Kobe Bryant chopper crash: report

The claim seeks damages in connection with the release of cellphone pictures taken by Los Angeles County Sheriff’s deputies at the scene of the Jan. 26 tragedy in Calabasas.




image

Declassified spy images show Earth’s ‘Third Pole’ is melting fast

Accelerating ice melt in the Himalayas may imperil up to a billion people in South Asia who rely on glacier runoff for drinking water and more.




image

Scientists just snapped the best image yet of the universe’s ‘cosmic web’

Light from nearby galaxies illuminated the web’s ‘threads,’ making them directly visible to telescopes on Earth.




image

Plaschke: LeBron James goes from shunned to beloved in L.A., a remarkable image makeover

Lakers star LeBron James was overwhelmingly voted as the favorite local athlete in a new survey, only a year after he was booed in Staples Center.




image

White House could join NCAA search for solution to name, image, likeness issue

The White House says in a statement that it wants to make sure "NCAA student athletes are treated fairly without harming the integrity of college sports."




image

Op-Ed: The Hollywood sign is a public treasure, and no one should have to pay to use its image

For years, the Hollywood Chamber of Commerce has been asking people to pay to use the image of the Hollywood sign — which it doesn't own or control.




image

Vanessa Bryant files legal claim over images from Kobe Bryant chopper crash: report

The claim seeks damages in connection with the release of cellphone pictures taken by Los Angeles County Sheriff’s deputies at the scene of the Jan. 26 tragedy in Calabasas.




image

Vanessa Bryant files legal claim over images from Kobe Bryant chopper crash: report

The claim seeks damages in connection with the release of cellphone pictures taken by Los Angeles County Sheriff’s deputies at the scene of the Jan. 26 tragedy in Calabasas.




image

Boris Yaro, Times photographer who took iconic image of mortally wounded RFK, dies

Yaro tutored the actor who played Animal, the rumpled photographer on "Lou Grant"




image

Stay out! 10 images of caution tape in places you wouldn't expect to see it

It's our visual prompt to stay away, but stay-at-home orders have given new purpose to caution tape.




image

First image of Seth Rogen as Jewish pickle maker is historically accurate


The Seth Rogen Jewish immigrant pickle movie is still happening, and we now have some striking photo evidence.




image

UFOs: Were aliens spotted on the Moon in NASA's Apollo 9 mission images?



ALIEN hunters believe they have spotted a fleet of UFOs zooming past the Moon in images from the 1969 Apollo 9 mission.




image

North Korea nuclear alert: Satellite images reveal despot Kim's terrifying plot



KIM JONG-UN is building a massive facility outside the capital Pyongyang, satellite images have shown, suggesting he is planning to beef up his stockpile of nuclear weapons.




image

Correction - Coronavirus satellite image - 17/02/2020



On February 10, 2020, Express.co.uk published an article headlined "Coronavirus satellite image: Does THIS image show REAL scale of virus cremations?".




image

Victoria Beckham pulled out of the furlough scheme to save her image, says CAROLE MALONE



POSH still doesn't get it. Two weeks ago, when she announced she was furloughing 30 staff at her ailing fashion label, there was a public outcry.




image

Mother Teresa attorney to 5th District candidate: stop using her name, image in campaign ads

A lawyer who served as legal counsel for Mother Teresa told Republican Chuck Dietzen to stop using Mother Teresa's name and image in ads.

       




image

Coronavirus: Nasa images show China pollution clear amid slowdown

Nasa says major decreases in nitrogen dioxide levels are "at least partly" linked to the outbreak.




image

Scientists obtain 'lucky' image of Jupiter

The Hawaii-based Gemini telescope produces a super-sharp picture of the gas giant in the infrared.




image

oscon: Beginner's Guide to Computer Vision - 2D/3D image fundamentals, OpenCV, OpenNI Library + more http://t.co/ph2dKrC9W4 #oscon #tutorial

oscon: Beginner's Guide to Computer Vision - 2D/3D image fundamentals, OpenCV, OpenNI Library + more http://t.co/ph2dKrC9W4 #oscon #tutorial




image

Simple Image Gallery

Adding image galleries inside your Joomla articles is now super-easy and simple, using the magical "Simple Image Gallery" plugin for Joomla.

The plugin can turn any folder of images located inside your Joomla website into a grid-style image gallery with cool lightbox previews. And all that using a simple plugin tag like {gallery}myphotos{/gallery}.


So for example, if we have a folder called "my_trip_to_Paris" located in images/stories/my_trip_to_Paris, then we can create our gallery by simply entering the tag {gallery}my_trip_to_Paris{/gallery} into some Joomla article.

The galleries created are presented as a grid of image thumbnails. When your visitors click on a thumbnail, they see the original image in a lightbox popup. The thumbnails are generated and cached using PHP for better results.

So let's briefly see the main advantages of using Simple Image Gallery on your Joomla website:

  • you don't need to have an additional gallery component to display a few images,
  • you don't need to tell your visitors "to see our photos from Paris click here" and
  • you focus more on content writing and less on administering the images!


The plugin is ideal for news portals wanting to display some product images, for example, inside their articles. Or for people who quickly wanna show their summer vacation pictures. With Simple Image Gallery, you can have as many galleries as you want inside each article.

Since v3.6.0, the image gallery grid can be printed when using the print preview feature available in most Joomla components (including the default article system component and K2).

Please note that if you want to create a gallery from a subfolder located inside your "image gallery root folder", simply adjust the plugin syntax to reflect the remaining path (after your set "root folder"), e.g. {gallery}folder/subfolder/othersubfolder{/gallery}. Make sure you write the path to your target folder without any slashes at the beginning or the end of your path.

As of v4.0.0, Simple Image Gallery is also compatible with the upcoming Joomla version 4 release (currently in "beta").

You can see a demo of the plugin here: https://demo.joomlaworks.net/simple-image-gallery

Want more features like individual thumbnail captions, multiple layouts, multiple popup engines, gallery ordering, module loading and more?
Then check out Simple Image Gallery PRO at: https://www.joomlaworks.net/extensions/commercial/simple-image-gallery-pro

Please show your support in our work by rating and/or commenting on this extension at the official Joomla Extensions website: https://extensions.joomla.org/extension/simple-image-gallery/

Simple Image Gallery is a Joomla plugin developed by JoomlaWorks, released under the GNU General Public License.

 




image

Simple Image Gallery Pro v3.7.0 released

Simple Image Gallery Pro v3.7.0 is now available to download for subscribers. This new release introduces 2 additional popup engines (modals) and improves compatibility with K2 v2.10.x.

Here's what's been added or changed in Simple Image Gallery Pro with the release of v3.7.0:

  • Added Strip & Lightbox2 to the list of supported popup engines (modals). Strip allows for displaying your galleries on the right side of the available viewport and it's ideal for product display/presentation or e-commerce websites. Lightbox2 is the original Lightbox script updated for the modern web by its original author, Lokesh Dhakar.
  • Updated Fresco.js to its latest release. Additionally, the Fresco.js specific attributes on each gallery layout link are now removed as they are appended dynamically using JS (so older gallery layouts can work fine as well, without any modifications). Fresco.js is now also fully open source which means there is no watermark on the popup/modal.
  • LightView now supports captions as well.
  • Improved compatibility (and performance) with K2 v2.10.x which was released mid November 2019. Especially for anyone still on Joomla 1.5 and K2 v2.10.x, we highly recommend you update to resolve JS conflicts between K2 and SIGPro in the item edit form.
  • Fixed a bug where SIGPro's K2 plugin would accidentally trigger upon saving a K2 category in K2 v2.10.x.
  • In the backend component, SIGPro's media manager (elFinder) has been updated to the latest release (v2.1.50).

 

DEMO

The JoomlaWorks demo site has been updated to the latest Simple Image Gallery Pro release. See here https://demo.joomlaworks.net/simple-image-gallery-pro.

 

DOWNLOAD

If you have an active Simple Image Gallery Pro membership, just head over to the Member Dashboard at https://www.joomlaworks.net/members and grab your copy from your "Subscriptions" page.

Or purchase this latest release from just 19.90 EUR. More info at: https://www.joomlaworks.net/extensions/commercial/simple-image-gallery-pro

 

UPGRADING

Just upload the new version and it will overwrite the old one.

For more help, please visit the updated documentation page for the extension at: https://www.joomlaworks.net/support/docs/simple-image-gallery-pro

For support questions please use our Ticket Support System inside the Member Dashboard at https://www.joomlaworks.net/dashboard (active product membership required).




image

Simple Image Gallery (free) v4.0.0 released - now Joomla 4 compatible!

Simple Image Gallery (free) version 4.0.0 is now available to download. This marks our first extension update that supports the upcoming Joomla version 4 (currently in "beta").


Here's what's been added or changed in Simple Image Gallery (free) with the release of v4.0.0:

  • Fully compatible with the upcoming Joomla version 4 (currently in "beta"). As with every beta software, Joomla 4 should not be used on production websites, but rather for preparing your skills for when it's officially released as the next "stable" Joomla version. You can download the nightly build of Joomla 4.0.0 "Beta 1" here: https://developer.joomla.org/nightly-builds.html
  • Fancybox has been updated to its latest release (v3.5.7) and it's now loaded off the jsDelivr CDN (which is also "GFW" friendly).
  • Localization has been extended to support all language strings used by the plugin as well as Fancybox. So it's now possible to fully translate Simple Image Gallery (free) to your language of choice.
  • Updated the plugin's default parameter values to use larger thumbnails by default and longer caching.
  • Still rocking Joomla 1.5, 2.5, 3.x and now 4.x compatiblity, for PHP 5 and 7 (tested up to PHP 7.4 to be exact).

In the coming weeks we wil gradually roll out updates for our smaller extensions (e.g. AllVideos, Simple RSS Feed Reader etc.) to also support Joomla 4.

DEMO

The JoomlaWorks demo site has been updated to use the latest Simple Image Gallery (free) release. See here: https://demo.joomlaworks.net/simple-image-gallery

DOWNLOAD

You can download this version by visiting the extension's page at: https://www.joomlaworks.net/extensions/free/simple-image-gallery

UPGRADING

If you use Joomla 2.5 and 3.x releases, this new update will appear in the Joomla extension updater. If you're using Joomla 1.5 or have started to test out the beta releases of Joomla 4, you can simply upload the new version and it will overwrite the old one. After that step, visit the plugin's parameters page, check if everything is OK or adjust as needed and save the parameters.

 




image

Simple Image Gallery (free) v4.1.0 released

Simple Image Gallery (free) version 4.1.0 is now available to download. This is a maintenance release.

Here's what's been added or changed in Simple Image Gallery (free) with the release of v4.1.0:

  • Allow the plugin to accept WEBP images as source images (along with JPEG, PNG and GIF).
  • Replaced cdnjs.com with jsDelivr.com (for serving Fancybox)
  • Removed any remaining references to IE. Going forth, Simple Image Gallery will only support modern browsers.
  • General code restructuring & cleanups.

Simple Image Gallery is (as of v4.0.0) fully compatible with Joomla versions 1.5, 2.5, 3.x and the upcoming 4.x.

DEMO

The JoomlaWorks demo site has been updated to use the latest Simple Image Gallery (free) release. See here: https://demo.joomlaworks.net/simple-image-gallery

DOWNLOAD

You can download this version by visiting the extension's page at: https://www.joomlaworks.net/extensions/free/simple-image-gallery

UPGRADING

If you use Joomla 2.5, 3.x & 4.x (beta) releases, this new update will appear in the Joomla extension updater. If you're using Joomla 1.5 you can simply upload the new version and it will overwrite the old one. After that step, visit the plugin's parameters page, check if everything is OK or adjust as needed and save the parameters.

 




image

Artists donate free, uplifting images to the UN in pandemic response

The internet is a scary enough place as it is, and now with the added misinformation and panic surrounding the coronavirus pandemic, it's even scarier. Thanks to the United Nations and dozens of artists, however, the internet just got a little more beautiful. 

In late March, the UN put a call out to artists to help combat the spread of COVID-19. They sought creatives to create content around six areas of WHO and UN priority actions: personal hygiene, social distancing, knowing the symptoms, spreading kindness, myth-busting, and doing more/donating. Tens of thousands of artists answered the call in two weeks, and now the COVID-19 Response Creative Content Hub is available for browsing.  Read more...

More about Art, United Nations, Activism, Coronavirus, and Covid 19




image

Politics, policy-making and the presence of images of suffering children

7 May 2020 , Volume 96, Number 3

Helen Berents

In 2017 Trump expressed pity for the ‘beautiful babies’ killed in a gas attack on Khan Shaykhun in Syria before launching airstrikes against President Assad's regime. Images of suffering children in world politics are often used as a synecdoche for a broader conflict or disaster. Injured, suffering, or dead; the ways in which images of children circulate in global public discourse must be critically examined to uncover the assumptions that operate in these environments. This article explores reactions to images of children by representatives and leaders of states to trace the interconnected affective and political dimensions of these images. In contrast to attending to the expected empathetic responses prompted by images of children, this article particularly focuses on when such images prompt bellicose foreign policy decision-making. In doing this, the article forwards a way of thinking about images as contentious affective objects in international relations. The ways in which images of children's bodies and suffering are strategically deployed by politicians deserves closer scrutiny to uncover the visual politics of childhood inherent in these moments of international politics and policy-making.