Lateo.net - Flux RSS en pagaille (pour en ajouter : @ moi)

🔒
❌ À propos de FreshRSS
Il y a de nouveaux articles disponibles, cliquez pour rafraîchir la page.
À partir d’avant-hierInformatique & geek

BSD Release: NomadBSD 1.4

Version 1.4 of NomadBSD, a persistent live system for USB flash drives based on FreeBSD and featuring a graphical user interface built around Openbox, has been released: "We are pleased to present the release of NomadBSD 1.4. Changes since 1.3.2: the base system has been upgraded to FreeBSD....

Development Release: openSUSE 15.3 Beta

Douglas DeMaio has announced the availability of the beta build of openSUSE 15.3, an updated version of the popular distribution scheduled for a final release in early June: "openSUSE Leap has entered into the beta release phase today for its 15.3 minor version. This openSUSE Leap 15.3 version....

Raspberry Pi thermal camera

It has been a cold winter for Tom Shaffner, and since he is working from home and leaving the heating on all day, he decided it was finally time to see where his house’s insulation could be improved.

camera attached to raspberry pi in a case
Tom’s setup inside a case with a cooling fan; the camera is taped on bottom right

An affordable solution

His first thought was to get a thermal IR (infrared) camera, but he found the price hasn’t yet come down as much as he’d hoped. They range from several thousand dollars down to a few hundred, with a $50 option just to rent one from a hardware store for 24 hours.

When he saw the $50 option, he realised he could just buy the $60 (£54) MLX90640 Thermal Camera from Pimoroni and attach it to a Raspberry Pi. Tom used a Raspberry Pi 4 for this project. Problem affordably solved.

A joint open source effort

Once Tom’s hardware arrived, he took advantage of the opportunity to combine elements of several other projects that had caught his eye into a single, consolidated Python library that can be downloaded via pip and run both locally and as a web server. Tom thanks Валерий КурышевJoshua Hrisko, and Adrian Rosebrock for their work, on which this solution was partly based.

heat map image showing laptop and computer screen in red with surroundings in bluw
The heat image on the right shows that Tom’s computer and laptop screens are the hottest parts of the room

Tom has also published everything on GitHub for further open source development by any enterprising individuals who are interested in taking this even further.

Quality images

The big question, though, was whether the image quality would be good enough to be of real use. A few years back, the best cheap thermal IR camera had only an 8×8 resolution – not great. The magic of the MLX90640 Thermal Camera is that for the same price the resolution jumps to 24×32, giving each frame 768 different temperature readings.

heat map image showing window in blue and lamp in red
Thermal image showing heat generated by a ceiling lamp but lost through windows

Add a bit of interpolation and image enlargement and the end result gets the job done nicely. Stream the video over your local wireless network, and you can hold the camera in one hand and your phone in the other to use as a screen.

Bonus security feature

Bonus: If you leave the web server running when you’re finished thermal imaging, you’ve got yourself an affordable infrared security camera.

video showing the thermal camera cycling through interpolation and color modes and varying view
Live camera cycling through interpolation and colour modes and varying view

Documentation on the setup, installation, and results are all available on Tom’s GitHub, along with more pictures of what you can expect.

And you can connect with Tom on LinkedIn if you’d like to learn more about this “technically savvy mathematical modeller”.

The post Raspberry Pi thermal camera appeared first on Raspberry Pi.

Risques et défis en matière de cybersécurité pour le secteur financier

Une introduction aux différentes menaces qui pèsent sur les sociétés financières et aux mesures que les organisations peuvent prendre pour les contrer.

L'article Risques et défis en matière de cybersécurité pour le secteur financier a d'abord été publié sur WeLiveSecurity

Swing into action with an homage to Pitfall! | Wireframe #48

Grab onto ropes and swing across chasms in our Python rendition of an Atari 2600 classic. Mark Vanstone has the code

Whether it was because of the design brilliance of the game itself or because Raiders of the Lost Ark had just hit the box office, Pitfall Harry became a popular character on the Atari 2600 in 1982.

His hazardous attempts to collect treasure struck a chord with eighties gamers, and saw Pitfall!, released by Activision, sell over four million copies. A sequel, Pitfall II: The Lost Caverns quickly followed the next year, and the game was ported to several other systems, even making its way to smartphones and tablets in the 21st century.

Pitfall

Designed by David Crane, Pitfall! was released for the Atari 2600 and published by Activision in 1982

The game itself is a quest to find 32 items of treasure within a 20-minute time limit. There are a variety of hazards for Pitfall Harry to navigate around and over, including rolling logs, animals, and holes in the ground. Some of these holes can be jumped over, but some are too wide and have a convenient rope swinging from a tree to aid our explorer in getting to the other side of the screen. Harry must jump towards the rope as it moves towards him and then hang on as it swings him over the pit, releasing his grip at the other end to land safely back on firm ground.

For this code sample, we’ll concentrate on the rope swinging (and catching) mechanic. Using Pygame Zero, we can get our basic display set up quickly. In this case, we can split the background into three layers: the background, including the back of the pathway and the tree trunks, the treetops, and the front of the pathway. With these layers we can have a rope swinging with its pivot point behind the leaves of the trees, and, if Harry gets a jump wrong, it will look like he falls down the hole in the ground. The order in which we draw these to the screen is background, rope, tree-tops, Harry, and finally the front of the pathway.

Now, let’s get our rope swinging. We can create an Actor and anchor it to the centre and top of its bounding box. If we rotate it by changing the angle property of the Actor, then it will rotate at the top of the Actor rather than the mid-point. We can make the rope swing between -45 degrees and 45 degrees by increments of 1, but if we do this, we get a rather robotic sort of movement. To fix this, we add an ‘easing’ value which we can calculate using a square root to make the rope slow down as it reaches the extremes of the swing.

Our homage to the classic Pitfall! Atari game. Can you add some rolling logs and other hazards?

Our Harry character will need to be able to run backwards and forwards, so we’ll need a few frames of animation. There are several ways of coding this, but for now, we can take the x coordinate and work out which frame to display as the x value changes. If we have four frames of running animation, then we would use the %4 operator and value on the x coordinate to give us animation frames of 0, 1, 2, and 3. We use these frames for running to the right, and if he’s running to the left, we just mirror the images. We can check to see if Harry is on the ground or over the pit, and if he needs to be falling downward, we add to his y coordinate. If he’s jumping (by pressing the SPACE bar), we reduce his y coordinate.

We now need to check if Harry has reached the rope, so after a collision, we check to see if he’s connected with it, and if he has, we mark him as attached and then move him with the end of the rope until the player presses the SPACE bar and he can jump off at the other side. If he’s swung far enough, he should land safely and not fall down the pit. If he falls, then the player can have another go by pressing the SPACE bar to reset Harry back to the start.

That should get Pitfall Harry over one particular obstacle, but the original game had several other challenges to tackle – we’ll leave you to add those for yourselves.

Pitfall Python code

Here’s Mark’s code for a Pitfall!-style platformer. To get it working on your system, you’ll need to  install Pygame Zero.  And to download the full code and assets, head here.

Get your copy of Wireframe issue 48

You can read more features like this one in Wireframe issue 48, available directly from Raspberry Pi Press — we deliver worldwide.
Wireframe issue 48
And if you’d like a handy digital version of the magazine, you can also download issue 48 for free in PDF format.
A banner with the words "Be a Pi Day donor today"

The post Swing into action with an homage to Pitfall! | Wireframe #48 appeared first on Raspberry Pi.

Cisco introduit plusieurs innovations annoncées en décembre dans Webex.

Cette semaine, Cisco a démarré le déploiement d'une des fonctionnalités parmi les plus de 50 annoncées lors de son év (...)

How To Update Fedora Linux using terminal for latest software patches

Par : Vivek Gite

{Updated} Irecently switched from Windows server to Fedora 32/33 server running in the cloud. How do I apply software updates and patches on Fedora 32/33 server using the terminal application?

The post How To Update Fedora Linux using terminal for latest software patches appeared first on nixCraft.

How to set up WireGuard VPN server on Ubuntu 20.04

Par : Vivek Gite

{Updated} This page explains how to install and set up WireGuard VPN on Ubuntu 20.04 LTS Linux server.

The post How to set up WireGuard VPN server on Ubuntu 20.04 appeared first on nixCraft.

How to find NetworkManager version on Linux

Par : Vivek Gite
See all Linux/UNIX networking related FAQ

How do I check or find NetworkManager version on Linux distribution?

The post How to find NetworkManager version on Linux appeared first on nixCraft.

La sophistication n’est pas l’apanage de tous les cybercriminels

Par : Jake Moore

Tous les auteurs de crimes et de fraudes en ligne n'utilisent pas de méthodes avancées pour s'en prendre à leurs victimes sans se faire prendre, loin s'en faut.

L'article La sophistication n’est pas l’apanage de tous les cybercriminels a d'abord été publié sur WeLiveSecurity

Bonjour tout le monde !

Par : pilatomic

Bienvenue sur WordPress. Ceci est votre premier article. Modifiez-le ou supprimez-le, puis commencez à écrire !

La plateforme Cloud Satellite arrive en version finale chez IBM

Décrite comme un environnement de cloud hybride, la plateforme Cloud Satellite d'IBM vien (...)

How to enable LUKS disk encryption with keyfile on Linux

Par : Vivek Gite

We can easily add a key file to LUKS disk encryption on Linux when running the cryptsetup command. A key file is used as the passphrase to unlock an encrypted volume. The passphrase allows Linux users to open encrypted disks utilizing a keyboard or over an ssh-based session. There are different types of key files we can add and enable LUKS disk encryption on Linux as per our needs:

  1. Passphrase keyfile - It is a key file holding a simple passphrase.
  2. Random text keyfile - This is a key file comprising a block of random characters which is much more resistant to dictionary attacks than a simple passphrase-based key file.
  3. Binary keyfile - We can defile an image, video, or any other static binary file as key file for LUKS. It makes it harder to identify as a key file. It would look like a regular image file or video clip to the attacker instead of a random text keyfile.

Let us see how to enable LUKS disk encryption with a key file.

The post How to enable LUKS disk encryption with keyfile on Linux appeared first on nixCraft.

Raspberry Pi Pico – Vertical innovation

Our Chief Operating Officer and Hardware Lead James Adams talked to The MagPi Magazine about building Raspberry Pi’s first microcontroller platform.

On 21 January we launched the $4 Raspberry Pi Pico. As I write, we’ve taken orders for nearly a million units, and are working hard to ramp production of both the Pico board itself and the chip that powers it, the Raspberry Pi RP2040.

Close up of R P 20 40 chip embedded in a Pico board
RP2040 at the heart of Raspberry Pi Pico

Microcontrollers are a huge yet largely unseen part of our modern lives. They are the hidden computers running most home appliances, gadgets, and toys. Pico and RP2040 were born of our desire to do for microcontrollers what we had done for computing with the larger Raspberry Pi boards. We wanted to create an innovative yet radically low-cost platform that was easy to use, powerful, yet flexible.

It became obvious that to stand out from the crowd of existing products in this space and to hit our cost and performance goals, we would need to build our own chip.

I and many of the Raspberry Pi engineering team have been involved in chip design in past lives, yet it took a long time to build a functional chip team from scratch. As well as requiring specialist skills, you need a lot of expensive tools and IP; and before you can buy these things, there is a lot of work required to evaluate and decide exactly which expensive goodies you’ll need. After a slow start, for the past couple of years we’ve had a small team working on it full-time, with many others pulled in to help as needed.

Low-cost and flexible

The Pico board was designed alongside RP2040 – in fact we designed the RP2040 pinout to work well on Pico, so we could use an inexpensive two-layer PCB, without compromising on the layout. A lot of thought has gone into making it as low-cost and flexible as possible – from the power circuitry to packaging the units on to Tape and Reel (which is cost-effective and has good packing density, reducing shipping costs).

“This ‘full stack’ design approach has allowed optimisation across the different parts”

With Pico we’ve hit the ‘pocket money’ price point, yet in RP2040 we’ve managed to pack in enough CPU performance and RAM to run more heavyweight applications such as MicroPython, and AI workloads like TinyML. We’ve also added genuinely new and innovative features such as the Programmable I/O (PIO), which can be programmed to ‘bit-bang’ almost any digital interface without using valuable CPU cycles. Finally, we have released a polished C/C++ SDK, comprehensive documentation and some very cool demos!

A reel of Raspberry Pi Pico boards

For me, this project has been particularly special as I began my career at a small chip-design startup. This was a chance to start from a clean sheet and design silicon the way we wanted to, and to talk about how and why we’ve done it, and how it works.

Pico is also our most vertically integrated product; meaning we control everything from the chip through to finished boards. This ‘full stack’ design approach has allowed optimisation across the different parts, creating a more cost-effective and coherent whole (it’s no wonder we’re not the only fruit company doing this).

And of course, it is designed here in Cambridge, birthplace of so many chip companies and computing pioneers. We’re very pleased to be continuing the Silicon Fen tradition.

Get The MagPi 103 now

You can grab the brand-new issue right now online from the Raspberry Pi Press store, or via our app on Android or iOS. You can also pick it up from supermarkets and newsagents, but make sure you do so safely while following all your local guidelines.

magpi magazine cover issue 103

Finally, there’s also a free PDF you can download. Good luck during the #MonthOfMaking, folks! I’ll see y’all online.

A banner with the words "Be a Pi Day donor today"

The post Raspberry Pi Pico – Vertical innovation appeared first on Raspberry Pi.

Distribution Release: IPFire 2.25 Core 154

Michael Tremer has announced the release of IPFire 2.25 Core 154, an updated build of the project's Linux-based distribution designed for routers and firewalls. This version comes with a large number of package upgrades, DNS resolution improvements and WPA3 client support: "The first update of the year will....

Python For Loop Examples

Par : Vivek Gite

{Updated} How and when do I use for loops under Python programming language? How can I use the break and continue statements to alter the flow of a Python loop?

The post Python For Loop Examples appeared first on nixCraft.

Traqueurs: Un populaire gestionnaire de mots de passe sous la sellette

Bien que les traqueurs de l'application Android de LastPass ne recueillent aucune donnée personnelle, l'information pourrait ne pas plaire à certains utilisateurs soucieux de leur vie privée.

L'article Traqueurs: Un populaire gestionnaire de mots de passe sous la sellette a d'abord été publié sur WeLiveSecurity

Distribution Release: Linux From Scratch 10.1

Bruce Dubbs has announced the release of Linux From Scratch (LFS) 10.1, a book of step-by-step instruction of building a basic Linux system from source code. This release upgrades most packages to their latest versions: "The Linux From Scratch community announces the release of LFS version 10.1. Major....

Défendre de justes causes : Découvrez l’implication sociale d’ESET

Un aperçu de certaines des moyens par lesquels ESET a un impact sur le bien-être des personnes, des communautés et de l'environnement.

L'article Défendre de justes causes : Découvrez l’implication sociale d’ESET a d'abord été publié sur WeLiveSecurity

Distribution Release: Emmabuntüs DE3-1.04

Patrick d'Emmabuntüs has announced the release of Emmabuntüs DE3-1.04, an updated build of the project's lightweight, Debian-based distribution designed primarily for refurbished computers: "The Emmabuntüs Collective is happy to announce the release of the Emmabuntüs Debian Edition update 3 1.04 (32-bit and 64-bit) based on the Debian 10.8....

DistroWatch Weekly, Issue 906

This week in DistroWatch Weekly: Review: LibreELEC 9.2 and KodiNews: PureOS contributes to Linux development, upgrading FreeBSD using snapshots, Red Hat to supply open source infrastructure with free licenses, Void switches back to OpenSSLQuestions and answers: Auditing large open source projectsReleased last week: GeckoLinux 999.210221.0, Kali Linux 2021.1,....

Acacia finalement racheté par Cisco

Après quelques différents juridiques au début de l'année, Cisco a conclu un accord de rachat pour 4,5 milliards de do (...)

Make an animated sign with Raspberry Pi Pico

Light up your living room like Piccadilly Circus with this Raspberry Pi Pico project from the latest issue of HackSpace magazine. Don’t forget, it’s not too late to get your hands on our new microcontroller for FREE if you subscribe to HackSpace magazine.

HUB75 LED panels provide an affordable way to add graphical output to your projects. They were originally designed for large advertising displays (such as the ones made famous by Piccadilly Circus in London, and Times Square in New York). However, we can use a little chunk of these bright lights in our projects. They’re often given a ‘P’ value, such as P3 or P5 for the number of millimetres between the different RGB LEDs. These don’t affect the working or wiring in any way.

We used a 32×32 Adafruit screen. Other screens of this size may work, or may be wired differently. It should be possible to get screens of different sizes working, but you’ll have to dig through the code a little more to get it running properly.

The most cost- effective way to add 1024 RGB LEDs to your project

The most cost- effective way to add 1024 RGB LEDs to your project

The protocol for running these displays involves throwing large amounts of data down six different data lines. This lets you light up one portion of the display. You then switch to a different portion of the display and throw the data down the data lines again. When you’re not actively writing to a particular segment of the display, those LEDs are off.

There’s no in-built control over the brightness levels – each LED is either on or off. You can add some control over brightness by flicking pixels on and off for different amounts of time, but you have to manage this yourself. We won’t get into that in this tutorial, but if you’d like to investigate this, take a look at the box on ‘Going Further’.

The code for this is on GitHub (hsmag.cc/Hub75). If you spot a way of improving it, send us a pull request

The code for this is on GitHub. If you spot a way of improving it, send us a pull request

The first thing you need to do is wire up the screen. There are 16 connectors, and there are three different types of data sent – colour values, address values, and control values. You can wire this up in different ways, but we just used header wires to connect between a cable and a breadboard. See here for details of the connections.

These screens can draw a lot of power, so it’s best not to power them from your Pico’s 5V output. Instead, use a separate 5V supply which can output enough current. A 1A supply should be more than enough for this example. If you’re changing it, start with a small number of pixels lit up and use a multimeter to read the current.

With it wired up, the first thing to do is grab the code and run it. If everything’s working correctly, you should see the word Pico bounce up and down on the screen. It is a little sensitive to the wiring, so if you see some flickering, make sure that the wires are properly seated. You may want to just display the word ‘Pico’. If so, congratulations, you’re finished!

However, let’s take a look at how to customise the display. The first things you’ll need to adapt if you want to display different data are the text functions – there’s one of these for each letter in Pico. For example, the following draws a lower-case ‘i’:

def i_draw(init_x, init_y, r, g, b):
    for i in range(4):
        light_xy(init_x, init_y+i+2, r, g, b)
    light_xy(init_x, init_y, r, g, b)

As you can see, this uses the light_xy method to set a particular pixel a particular colour (r, g, and b can all be 0 or 1). You’ll also need your own draw method. The current one is as follows:

def draw_text():
    global text_y
    global direction
    global writing
    global current_rows
    global rows

    writing = True
    text_y = text_y + direction
    if text_y > 20: direction = -1
    if text_y < 5: direction = 1
    rows = [0]*num_rows
    #fill with black
    for j in range(num_rows):
    rows[j] = [0]*blocks_per_row

    p_draw(3, text_y-4, 1, 1, 1)
    i_draw(9, text_y, 1, 1, 0)
    c_draw(11, text_y, 0, 1, 1)
    o_draw(16, text_y, 1, 0, 1)
    writing = False

This sets the writing global variable to stop it drawing this frame if it’s still being updated, and then just scrolls the text_y variable between 5 and 20 to bounce the text up and down in the middle of the screen.

This method runs on the second core of Pico, so it can still throw out data constantly from the main processing core without it slowing down to draw images.

Get HackSpace magazine – Issue 40

Each month, HackSpace magazine brings you the best projects, tips, tricks and tutorials from the makersphere. You can get it from the Raspberry Pi Press online store, The Raspberry Pi store in Cambridge, or your local newsagents.

Each issue is free to download from the HackSpace magazine website.

When you subscribe, we’ll send you a Raspberry Pi Pico for FREE.

A banner with the words "Be a Pi Day donor today"

The post Make an animated sign with Raspberry Pi Pico appeared first on Raspberry Pi.

Un indice de réparabilité pour les iPhone et Mac en France

Ceux qui regardent les tutoriels de démontage et de remontage d'iPhone et de MacBook sur le site iFixit savent que le (...)

How your young people can create with tech for Coolest Projects 2021

In our free Coolest Projects online showcase, we invite a worldwide community of young people to come together and celebrate what they’ve built with technology. For this year’s showcase, we’ve already got young tech creators from more than 35 countries registered, including from India, Ireland, UK, USA, Australia, Serbia, Japan, and Syria!

Two siblings presenting their digital making project at a Coolest Projects showcase

Register to become part of the global Coolest Projects community

Everyone up to age 18 can register for Coolest Projects to become part of this community with their own tech creation. We welcome all projects, all experience levels, and all kinds of projects, from the very first Scratch animation to a robot with machine learning capacity! The beauty of Coolest Projects is in the diversity of what the young tech creators make.

Young people can register projects in six categories: Hardware, Scratch, Mobile Apps, Websites, Games, and Advanced Programming. Projects need to be fully registered by Monday 3 May 2021, but they don’t need to be finished then — at Coolest Projects we celebrate works in progress just as much as finished creations!

To learn more about the registration process, watch the video below or read our guide on how to register.

Our Coolest Projects support for young people and you

Here are the different ways we’re supporting your young people — and you — with project creation!

Online resources for designing and creating projects

Download the free Coolest Projects workbook that walks young people through the whole creation process, from finding a topic or problem they want to address, to idea brainstorming, to testing their project:

The five steps you will carry out when creating a tech project: 1 Pick a problem. 2 Who are you helping with your project? 3 Generate ideas. 4 Design and build. 5 Test and tweak
Our Coolest Projects worksheets have detailed guidance about all five steps of project creation.

Explore more than 200 free, step-by-step project guides for learning coding and digital making skills that your young people can use to find help and inspiration! For more ideas on what your young people can make for Coolest Projects, have a look around last year’s online showcase gallery.

Live streams for young people

This Wednesday 3 March at 19:00 GMT / 14:00 ET, young people can join a special Digital Making at Home live stream about capturing ideas for projects. We’ll share practical tips and inspiration to help them get started with building a Coolest Projects creation:

On Tuesday 23 March, 16:00 GMT / 11:00 ET, young people can join the Coolest Projects team on a live stream to talk to them about all things Coolest Projects and ask all their questions! Subscribe to our YouTube channel and turn on notifications to be reminded about this live stream.

Online workshops for educators & parents

Join our free online workshops where you as an educator or parent can learn how to best support young people to take part:

Celebrating young people’s creativity

Getting creative with technology is truly empowering for young people, and anything your young people want to create will be celebrated by us and the whole Coolest Projects community. We’re so excited to see their projects, and we can’t wait to celebrate all together at our big live stream celebration event in June! Don’t let your young people miss their chance to be part of the fun.

Register your project for the Coolest Projects online showcase
A banner with the words "Be a Pi Day donor today"

The post How your young people can create with tech for Coolest Projects 2021 appeared first on Raspberry Pi.

Distribution Release: Parted Magic 2021_02_28

Parted Magic is a small live CD/USB/PXE with its elemental purpose being to partition hard drives. Although GParted and Parted are the main programs, the CD/USB also offers other applications, such as Partition Image, TestDisk, fdisk, sfdisk, dd, and ddrescue. The project's latest release is Parted Magic 2021_02_28....

How To Use chmod and chown Command in Linux

Par : Vivek Gite

{Updated} This page explains how to use chmod and chown command on Linux or Unix-like systems.

The post How To Use chmod and chown Command in Linux appeared first on nixCraft.

Development Release: FreeBSD 13.0-BETA4

The fourth beta snapshot of FreeBSD 13.0 is now available for download and testing. This is an unplanned release which means that the final build of FreeBSD 13.0 has been rescheduled to arrive a week later than originally envisaged, on 30 March. "The fourth BETA build of the....

How to check if file does not exist in Bash

Par : Vivek Gite
See all GNU/Linux related FAQ

How can I check if a file does not exist in a Bash script?

The post How to check if file does not exist in Bash appeared first on nixCraft.

Nginx: 413 - Request Entity Too Large Error and Solution

Par : Vivek Gite

{Updated} I am getting 'Nginx 413 Request Entity Too Large' error. How do I fix this problem and allow image upload upto 2MB in size using nginx web-server working in reverse proxy or stand-alone mode on Unix like operating systems?

The post Nginx: 413 - Request Entity Too Large Error and Solution appeared first on nixCraft.

Distribution Release: Mageia 8

Mageia is a community fork of the now-discontinued Mandriva distribution. The Mageia distribution provides a general purpose operating system with a focus on easy to use, pre-configured desktop environments. The project's latest release is Mageia 8 which improves boot time performance, mostly removes dependencies on Python 2, and....

Cisco lance une alerte au sujet de trois failles critiques dans ACI et NS-OX

Cisco a émis trois avis de sécurité qualifiés de « critiques » pour certains de ses logiciels haut de gamme : deux po (...)

Weird Bug Stops M1 Mac Users From Downloading iOS Apps

Par : Tyler Lee
To help combat the lack of native apps available for the M1 platform, Apple has allowed M1 Mac users to download iOS apps assuming that the developer has made the option available for their app. However, it seems that some users are encountering issues with this where they are unable to download iOS apps from the Mac App Store.According to these users, it seems that when they try to download […]

Oppo Shows Off Its Own True Wireless Charging Technology

Par : Tyler Lee
Earlier in January, Xiaomi and Motorola both took the wraps off their own true wireless charging technology, and it seems that Oppo doesn’t want to miss out on the fun as the company has since shown off its very own wireless charging technology as well. This was unveiled at the MWC Shanghai 2021 event where the company debuted the Oppo Wireless Air Charging technology.In its current form, the wireless charging […]

Sony PS5 Update This Summer Will Allow Users To Expand On Internal Storage

Par : Tyler Lee
Right now, the Sony PS5 has a storage issue where due to the size of the games, gamers pretty much can only store a few games at a time before they run out of space. To make matters worse, there is currently no M.2 NVMe drives that Sony has whitelisted that supports the PS5, which leaves players in a bit of a bind.However, there is some good news and that […]

Piratage du laboratoire Covid‑19 de l’université d’Oxford

Ni la recherche clinique sur le coronavirus ni les données des patients n'ont été affectées par l'incident.

L'article Piratage du laboratoire Covid‑19 de l’université d’Oxford a d'abord été publié sur WeLiveSecurity

FreeBSD jail, xen, and .pam_login_access security fixes released

Par : Vivek Gite

FreeBSD jail, xen, and .pam_login_access security fixes released
All supported versions of FreeBSD are affected by various security bugs that need to be applied ASAP. If the process is privileged, it may escape jail and gain full access to the FreeBSD system. Similarly, when using Xen, a malicious or buggy frontend driver may be able to cause resource leaks. Let us see what and how to fix these security vulnerabilities on FreeBSD.

The post FreeBSD jail, xen, and .pam_login_access security fixes released appeared first on nixCraft.

How to check boot path (partition) in Linux

Par : Vivek Gite

{Updated} How do I identify the boot device or boot path in Linux operating system?

The post How to check boot path (partition) in Linux appeared first on nixCraft.

Pi Day at the Raspberry Pi Foundation

Par : Eben Upton

Pi Day is a special occasion for people all around the world (your preferred date format notwithstanding), and I love seeing all the ways that makers, students, and educators celebrate. This year at the Raspberry Pi Foundation, we’re embracing Pi Day as a time to support young learners and creators in our community. Today, we launch our first Pi Day fundraising campaign. From now until 14 March, I’d like to ask for your help to empower young people worldwide to learn computing and become confident, creative digital makers and engineers.

A boy using a Raspberry Pi desktop computer to code

Millions of learners use the Raspberry Pi Foundation’s online coding projects to develop new skills and get creative with technology. Your donation to the Pi Day campaign will support young people to access these high-quality online resources, which they need more urgently than ever amidst disruptions to schools and coding clubs. Did I mention that our online projects are offered completely free and in dozens of languages? That’s possible thanks to Raspberry Pi customers and donors who power our educational mission.

It’s not only young people who rely on the Raspberry Pi Foundation’s free online coding projects, but also teachers, educators, and volunteers in coding clubs:

“The project resources for Python and Scratch make it really easy for the children to learn programming and create projects successfully, even if they have limited prior experience — they are excellent.”

— Code Club educator in the UK

“The best thing […] is the accessibility to a variety of projects and ease of use for a variety of ages and needs. I love checking the site for what I may have missed and the next project my students can do!”

— Code Club educator in the USA
Two girls doing physical computing with Raspberry Pi

Your Pi Day gift will make double the impact thanks to our partner EPAM, who is generously matching all donations up to a total of $5000. As a special thanks to each of you who contributes, you’ll have the option to see your name listed in an upcoming issue of The MagPi magazine!

All young people deserve the opportunity to thrive in today’s technology-driven world. As a donor to the Raspberry Pi Foundation, you can make this a reality. Any amount you are able to give to our Pi Day campaign — whether it’s $3.14, $31.42, or even more — makes a difference. You also have the option to sign up as a monthly donor.

Let’s come together to give young people the tools they need to make things, solve problems, and shape their future using technology. Thank you.

A banner with the words "Be a Pi Day donor today"

PS Thanks again to EPAM for partnering with us to match your gifts up to $5000 until 14 March, and to CanaKit for their generous Pi Day contribution of $3141!

The post Pi Day at the Raspberry Pi Foundation appeared first on Raspberry Pi.

Twitter Announces New Paid Super Followers Feature

Par : Tyler Lee
For a while now, Twitter has been trying to find ways to monetize itself, and it seems that they might have figured out how with a new paid feature called Super Followers. With this new feature, Twitter users can charge their followers a fee in which it would give them access to additional content, like tweets, photos, videos and more.If this sounds like something you’ve seen before, it’s because you […]

Twitter To Introduce Automatic Blocking And Muting Of Abusive Accounts

Par : Tyler Lee
If someone is sending you harassing or abusive messages on Twitter, you can block them. Unfortunately, this is a manual method and if you’re someone with a lot of followers, this could be a rather tedious process, but that will change soon as Twitter will be automatically blocking and muting those people for you.During Twitter’s Analyst Day presentation, the company announced that they will be introducing a new “safety mode”. […]

Woman Earns $3,000 In Donations While Streaming Herself Sleeping

Par : Tyler Lee
Twitch is a popular platform where people can live stream themselves doing all kinds of things (within ToS, of course). Usually we associate Twitch with gaming, but there are other categories as well. More recently though, a streamer called Wang Yiming from Taiwan has made waves when her stream of her sleeping managed to net her $3,000 in donations.Wang, a former member of Malaysian pop group AMOi-AMOi and who is […]

Paramount+ Will Go Live March 4 For $9.99 A Month

Par : Tyler Lee
If you’re looking for another streaming service to subscribe to, then you might be interested to learn that ViacomCBS has since announced that their Paramount+ service will be launching on the 4th of March. This new service will be priced at $9.99 a month and will give users access to a bunch of shows from various brands and studios.This will include shows from BET, CBS, Comedy Central, MTV, Nickelodeon, Paramount […]

Facebook Launches New Ads To Convince You That Tracking Is A Good Thing

Par : Tyler Lee
It’s no surprise that Facebook isn’t thrilled with the various privacy changes that Apple has implemented and plans to implement. So much so that the company has since published a video ad in which they seem to want to try and convince the public that tracking users and their activity for personalized ads is actually a good thing.According to Facebook, they have cited a few small business owners who have […]

Apple Store In France Now Shows iPhone And Mac Repairability Scores

Par : Tyler Lee
Want to know how easy it is to repair the iPhone or Mac that you bought? If you do, then you might need to turn to websites like iFixit who regularly conduct teardowns to see how repairable a device is. However, it seems that over in the Apple Store in France, they are actually displaying repairability scores.It should be noted that these scores seem to be given by Apple themselves […]

iPhone 12 Pro Max Camera Review

Image Quality AnalysisA note about our Uber-G Camera IQ score: our scoring system is based on four “Pillars” sub-scores that can help tell a fuller story: Day, Night, Ultrawide, and Zoom photography. If you want to know more about how the score works, head to our Camera IQ benchmark page.A global camera score is clear and straightforward, but the pillars help tell a better story for those who want to […]

Facebook intensifie sa lutte contre les contenus pédopornographiques

Deux nouveaux outils avertiront les utilisateurs des risques liés à la recherche et au partage de contenus qui exploitent les enfants, y compris les conséquences juridiques potentielles d'une telle pratique.

L'article Facebook intensifie sa lutte contre les contenus pédopornographiques a d'abord été publié sur WeLiveSecurity

How Do I shoot in RAW On My iPhone

Par : Tyler Lee
Want to take RAW photos on your iPhone? Maybe you own an iPhone 12, or maybe you own an older iPhone, but don’t worry as this guide will show you how to capture photos in RAW.

Distribution Release: Kali Linux 2021.1

Kali Linux is a Debian-based distribution with a collection of security and forensics tools. The project's first release of the year is Kali Linux 2021.1. "Today we’re pushing out the first Kali Linux release of the year with Kali Linux 2021.1. This edition brings enhancements of existing features,....
❌