Category: Technology

  • These 5 websites will help you a lot 01!

    These 5 websites will help you a lot 01!

    I always keep searching for websites and services to ease my work as a web developer. And along the way, I found some interesting and helpful websites. So I thought of sharing 5 websites will help you a lot, with SLVIKI readers.

    So here are the 5 websites will help you a lot. Which definitely will help you and definitely worth trying out the website.

    You may also like to read: 11 JavaScript Console Methods That You Should Try

    Stackshare.io

    This website will pull back the curtain on any major tech company and reveal the exact software that they are using to run their business.

    5 websites will help you a lot - stackshare.io

    PhantomBuster.com

    This website is a code-free tool that lets you scrape data from anywhere on the internet. How cool is that!

    SiteRight.co

    This is a new all-in-one sales and marketing platform that will replace 15 other services like funnel building, CRM, and pipeline management. You can build, manage and scale your business from a single dashboard.

    ProductHunt.com

    This website is a place where you can find the best new release software and apps before anybody else. They keep updating their product list every day.

    Jitter. video

    This website has a free library of animation templates that you can generate and use anywhere you like.

    So, there are the websites that I’ll share for this post. hope this will help you. I’ll keep posting new websites and apps that will be helpful along the way. I’ll bring another 5 websites will help you a lot in the upcoming posts.

  • What is CGI? – explanation about the CGI-bin file

    What is CGI? – explanation about the CGI-bin file

    What is the CGI-bin file that you found in your c-panel file manager?

    You may also like to read: The solution to CS50 Psets 2 Caesar Problem (2022)

    CGI stands for Common Gateway Interface. When you are logging into a c-panel for the first time, you’ll notice a folder in your public_html or in your website folder, called ‘cgi-bin’. You might wonder what is this folder? why is it there initially? CGI is the most basic of terms that the webserver communicated information to a CGI program. Then the cgi-bin folder is where you will store the scripts such as Perl(.pl) that your website will use.

    If I further clarify this, CGI is the process for scripts to communicate with your hosting server. And the folder for CGI scripts is what we call the ‘cgi-bin’. This folder is created in the directory root of your website and where your scripts are permitted to run or execute. As mentioned above it can store scripts such as Perl(.pl) which you use on your website.

    What is the purpose of CGI?

    Technically, CGI improves the visualization of your website. Especially, e-commerce websites use CGI scripts. It will provide visitors with great visual content. And it will help them understand your product. also ultimately it helps to turn a visitor into a customer. Nowadays, CGI is used extensively for marketing, virtual reality, architecture, and even artistic purposes. So I think now you can understand how useful and advantageous. CGI is for a simple website to achieve that 3D look or realistic effects on online visitors.

    What is the purpose of the CGI-bin folder?

    The cgi-bin folder is used to house scripts that will interact with a Web browser to provide functionality for a web page or website.

    Where do you find the cgi-bin folder?

    In the root directory of your website, when you are logged into your c-panel file manager, you will find the cgi-bin folder.

    cgi-bin folder

    Can you delete the cgi-bin folder?

    As it is located in the root directory of your website. If there are no scripts stored in the folder, you can delete the folder. It won’t be a problem for your website. But if there are scripts in that folder it might affect the functionalities of your website. So it will be better if you leave it there. But if you delete the folder and later found out that your website does need the scripts. You can recreate the folder again and store the scripts in that cgi-bin folder.

    What if you are using a CMS like WordPress?

    If you are using cms like WordPress, This folder might not use for you. Because most of the website functionality is installed using plugins.

    Visit this thread for more information.

  • The solution to CS50 Psets 2 Caesar Problem (2022)

    The solution to CS50 Psets 2 Caesar Problem (2022)

    For this problem, we have to implement a program that encrypts messages using Caesar’s cipher. So, I’m sharing my approach and solution to the CS50 Psets 2 Caesar problem. But before that, we need to understand what is Caesar’s cipher. So first, let’s find out that.

    What is Caesar Cipher, the background

    This cipher system is used to ‘encrypt’ confidential messages by shifting each letter by some number of places. The following example will show you how this Ceasar cipher system works.

    CS50 2022 psets 2 ceasar

    In this example, to say HELLO to someone, Causar might write IFMMP. After receiving such a message from Causar, the receiver must decrypt them by shifting letters in the opposite direction in the same number of places. That means using the key. So if someone has the key, the message can be decrypted.

    You can use the following algorithm for encrypting messages. This algorithm encrypts messages by rotating each letter by k positions. Here, p is some plaintext usually, an unencrypted message, Pi is the ith character in p, and k is a secret key ( this should be a non-negative integer), then each letter, ci, in the ciphertext, c is computed as the following algorithm. %26 means remainder when dividing by 26.

    c i = ( p i + k ) % 26

    Here is my Solution to CS50 Psets 2 Caesar Problem

    #include <stdlib.h>
    #include <cs50.h>
    #include <stdio.h>
    #include <string.h>
    #include <ctype.h>
    
    /*
     * Caesar.c
     * A program that encrypts messages using Caesar’s cipher. Your program must
     * accept a single command-line argument: a non-negative integer. If your program
     * is execute without any command-line arguments or with more than one command-line argument,
     * your program should tell the user and return a value of 1.
     *
     */
    
    char rotate(char c, int n);
    
    int main(int argc, string argv[])
    {
        // Checks if argc 2 strings and argv second value is a digit
        if (argc == 2 && isdigit(*argv[1]))
        {
            // iterate through the argv
            for (int k = 0; k < strlen(argv[1]); k++)
            {
                // return 1 if there is non-digit value in argv
                if (!isdigit(argv[1][k]))
                {
                    printf("Usage: ./caesar key\n");
                    return 1;
                }
            }
    
            // turns argv into an integer value
            int i = atoi(argv[1]);
    
            // checks if that integer value us negative or zero
            if (i <= 0)
            {
                printf("Usage: ./caesar key\n");
                return 0;
            }
            else
            {
                // Get input text as plaintext
                string plaintext = get_string("plaintext: ");
    
                int n = strlen(plaintext);
                char ciphertext[n];
    
                // iterate through the plaintext and turn them into ciphertext
                printf("ciphertext: ");
                for (int j = 0; j < n; j++)
                {
                    ciphertext[j] = rotate(plaintext[j], i);
                    printf("%c", ciphertext[j]);
                }
                printf("\n");
            }
        }
        else
        {
            printf("Usage: ./caesar key\n");
            return 1;
        }
    }
    
    
    // this function takes a character and integer and shifts the character by the amount of the integer
    char rotate(char c, int n)
    {
        char cipher;
    
        if (islower(c))
        {
            cipher = (((c + n) - 97) % 26) + 97;
        }
        else if (isupper(c))
        {
            cipher = (((c + n) - 65) % 26) + 65;
        }
        else
        {
            cipher = c;
        }
    
        return cipher;
    }

    You may also like to read: How much does the internet weigh?

  • 12th Gen Razer Blade 15 Advanced vs 16″ MacBook Pro, What is the best laptop?

    12th Gen Razer Blade 15 Advanced vs 16″ MacBook Pro, What is the best laptop?

    This is a comparison between the M1 Max 16″ MacBook Pro to the i7 Razer Blade 15 Advanced in terms of everything from design, speakers, microphones, webcams, keyboards, SSD speeds, benchmarks, real-world tests, and MORE to find out which laptop is the better buy!

    Read more: How much does the internet weigh?

    Razer Blade Advanced 15 vs 16” Macbook Pro Specification Difference

    Razer Blade Advanced 1516” Macbook Pro
    4.8 GHz 14-core i7 CPU3.2 GHz 10-core CPU
    RTX 3080 6GB VRAM16-core GPU
    16 GB DDR4 RAM16 GB Unified Memory
    1TB SSD512GB SSD
    $2,499$2,499
    Razer Blade Advanced 15 vs 16” Macbook Pro Specification

    Design Difference

    • Both of them are alsmost identical.
    • Razer sits little bit higher off of your desk because of the fans on the bottom to maintain the airflow.
    • Macbook has vents on the bottom side which don’t get blocked as easily.

    Battery Life

    • Razer has a 80Wh battery.
    • Macbook has 100Wh battery.
    • 15″ Razer Blade Advanced has 11 -13 hours battery life
    • 16″ Macbook has 4-6 hours battery life.
    • Macbook has a magsafe charger 140w / or can use the USB-C to charge.
    • Macbook doesn’t use over 80w total peak power.
    • Razer has a 230w brick for its CPU and Graphics.

    Ports, Keyboard, and Authentication

    • Razer has 3 USB-A ports.
    • Macbook has 3 thunderbolt ports
    • Razer has windows face recognition. Windows Hello!
    • Macbook doesn’t have that feature. But it does have touch ID.
    • Razer has an improved diving board design track pad. But it is lot harder to press at the top and easy at the bottom.
    • Razer has an improved keyboard design also.
    • Macbook has force touch pad that can be adjusted. It is even and It is larger.
    • Also Macbook has a never design keyboard which is a little bit better than the Razer keyboard.

    Speaker Comparison

    • Razer has THX audio system.
    • Macbook pro has amazing speaker system with sub woofers.
    • Razer is louder compared to the Macbook.
    • The bass is pretty much non-existent in the Razer.
    • Macbook has natural high quality sounds.
    • Macbook is better when it comes to sound quality compared to Razer Blade 15 Advanced.

    Display Quality Compared

    • Razer has a 2560 x 1440 pixel panel.
    • Has a 240 Hertz refresh rate.
    • Perfect for gaming.
    • Macbook has 120 Hertz pro motion, it can be turned down to 60 Hertz to save battery.
    • Macbook regular brightness is 500 nits and it can be raise up to 1600 for HDR content.
    • Razer does not give that feature but it looks like it is from 350 – 400 nits.
    • Macbook display is definitely more color accurate with a lot of different profiles depending on what you want to do.
    • Macbook display is definitely nicer and suitable for creative workers.

    Webcam and Mic Comparison

    • Razer has a 1080p webcam and a dual front facing microphones.
    • Macbook also has a 1080p camera and also studio quality microphone.
    • But overall Macbook webcam and mic looks and sounds better.

    SSD speed test

    • Both laptops are increadibly speed in terms of read.
    • Razers 1TB SSD beat up the Macbook by about 900 mbps.
    • But Macbook when it comes to right is quite a bit faster about a 1300 mbps
    • Razer is much quicker than any of the other windows laptops even at its highest performance.

    Laptop Snapiness

    • Because of the 12 gen CPU Razer Blade 15 advanced is much quicker and snappy.
    • when running speedometer 2.0 it gives the highest score in any Windows laptops.
    • Macbook got 274 runs per minute. It is way faster than Mac Pro.
    • Razer has 257 runs per minute. Little bit behind than Macbook.
    • But without battery power Razer limits it to 209 runs per minute.

    Geekbench 5 CPU test (Alder Lake CPU vs M1 Pro)

    • Razer got a single-core score of 1781.
    • Macbook Pro got a single-core score of 1772.
    • Razer got a multi-core score of 11,710.
    • Macbook pro got a multi-core score of 12,447.

    Cinebench R23 3D Rendering Comparison

    Razer Blade Advanced 1516” Macbook Pro
    90w of CPU power used3.2 GHz unplugged
    Temperature 90 degrees celsius Doesn’t thermal throttle
    Clocks – around 3.2 GHz Fans did not even go half speed if you max up the CPU and GPU usage at the same time.
    Dropped to 54w because of thermal30w maximum
    2.8 – 2.7 GHz
    Cinebench R23 3D Rendering Comparison

    Fan Noise and Thermal

    • No fan noise in Razer.
    • 45-46 degree celsius.
    • In Macbook 37 degree celsius at the max
    • Macbook run silently and quite a bit cooler as well.
    • Cinebench R23 CPU (Multi-core) score of 12620 pts for the Razer.
    • 12375 pts for the Macbook pro.

    CPU Pperformance on battery power

    In battery power, the Cinebench R23 CPU score dropped to 7,952 in Razer. And when comparing it to Macbook it’s about 56% less power. A lot of people talking about Alder Lake, Its efficiencies, when you downclock it when you run at lower wattage it still performs very well. But Macbook gives you all that performance on battery power.

    Graphic performance – 3D mark wildlife extreme unlimited test

    The test is not limited by resolution to keep it fair. in this test, Razer Blade 15 Advanced is fighting back with Nvidia Graphics card scores of 16,248 compared to a nice score but much lower 10,432. So, the Razer when it is plugged in is about 55% more powerful in terms of graphics performance for gaming and other tasks.

    on battery power that dropped more than double to 7,747 and it is about 35% slower than the Macbook Pro on battery. So in a situation where you have to run the laptop on battery power Macbook gives you full performance and also the fact that you can charge it with a cheap $40 USB-C bank and can run your laptop and charge at the same time, as you are working on it.

    Edition Performance Comparison

    When it comes to adobe photo editing MacBook Pro gives better performance than Razer Blade 15 advanced. When it comes to 4k video editing also MacBook pro gives better performance.

    Conclusion – Which Laptop should you buy?

    Overall, Intel did a great job with this 12th gen CPU. Razer did a great job. It is cooler, it is quieter, and it is a much nicer system than before. If you are gaming of course Razer Blade 15 should be your choice. But if you are somebody doing video editing, photo editing, different productivity, and if you are somebody who cares about performance and battery and battery life. We do have a pretty big display difference, the display is a lot nicer for people who are doing that kind of work. So MacBook well suits your needs if you are searching for the above-mentioned tasks.

    Leave a comment down below. What are your thoughts on these laptops? Which one would you buy?

  • What is Web 3.0?

    What is Web 3.0?

    In this article, you’ll learn about web 3.0 and how cryptocurrency ideas ties into the evolution of our current internet, and what it means for you as a user. 

    But before that let’s find out what is web 1.0 is and what web 2.0 is. Then we can learn about what is web 3.0 is. 

    You might also like to read: The New Way To Retirement: Passive Income with NFTs

    Web 1.0 – Initial overview of what the internet was

    Between the years 1991- 2004, the internet was mostly a bunch of static pages. That means, whenever you load a page it just showed some stuff and that was it. Some called it read-only. There wasn’t any logging in or interacting with posts or viewing analytics. Most of the early internet wasn’t even profitable by ads. It was mostly just like one big Wikipedia all hyperlinked together. 

    Now of course, with time we slowly made improvements, and things like flash and javascript added many new different features. However, during this time the users of the internet were consumers. They went to the internet to consume information.  

    Web 2.0

    From around 2004 until now, during this time the web evolved a lot. But one of the biggest changes was the interactivity of the internet. This meant that not only did we get information from pages. But the web pages started getting information from us as we viewed Facebook and youtube. And performed google searches these centralized companies started collecting data about us. So that they could serve us better content which in turn would make us stay on their website longer. 

    This meant more money from them but eventually, they realized they could package up all the data they had collected on us and sell it to advertisers. Web 2.0 is the age of targeted advertising and the lack of privacy for its users. But to be fair, we willingly gave up this privacy to cool apps like Facebook and Twitter. 

    In web 2.0, I and you could both view Facebook and see two different news feeds because the page depended on who was viewing it which is an important note for a difference in web 3. The content on your feed is the company sorting data by information that you know that you face them such as likes, and how much you watched a video.

    But if you look at the ads that they show you, that is them sorting data by the information you didn’t know you give them when you went to go some special place last night like a restaurant. They knew that. When you drop your kids off at school every day at 8 a.m except for Fridays, they knew that. And there is even an article that said machine learning started showing a guy some parenting ads because they knew he was going to be a father before he did. 

    If it is not machine learning, it is probably because his girlfriend used their public IP address to search for her symptoms. And the machine learning algorithm probably already knew when she was ovulating anyways. Whatever the case is, how they predicted this one centralized company controlling all of this data whether we want to or not is scary.   

    Web 3.0 – the next evolution of the internet

    This will probably utilize blockchain technology and the tools of decentralization. In web 2.0 you were the product as you were browsing social networks. But in web 3.0 some believe that you’ll be the owner of your content, the stuff that you post online. This is kind of true, so if you want to stay up it’ll stay up. But if you want to take it down, they say, in web 3.0 you can control that. Because as we all know, usually when something is on the internet it’s always on the internet. 

    For example, Odyssey is a blockchain alternative to youtube where videos can be posted and creators can earn library tokens which are a reward for enticing viewers to watch their videos. The thing about odyssey though is that they can’t stop a video from being posted. If someone uploads it and someone else in the network wants to share it, they technically download that video and then let others watch that video and download it as well. 

    It is kind of like a big torrent network. Your post couldn’t get taken down because your post wouldn’t just be on one of Facebook servers. It would theoretically be on thousands of computers around the world ensuring that the blockchain social network you are on is not attacked or censored. 

    Theoretically, this means there would be a lot of illegal and hateful things posted but it would be in the name of freedom of which the users of the network could probably decide on a system to reduce that harmful content. 

    How web 3.0 regulate

    In web 3.0, experts say that we will reach the post of the internet where every company is run by a decentralized group called a DAO which stands for Decentralized Automation Organization. DAO means that there are no CEOs or Presidents to impress. Those with the most tokens get to vote on how the company changes not limited by a government or some family tradition. 

    In web 3.0 there will be no censorship of social networks like Facebook or Twitter.

    One controlling authority cannot shut it down. One of the biggest things in web 3.0 is that your digital identity is not 100% connected to your real-world identity. This means I can view pages, download things make purchases, and any other activity on the internet without being traced to the real me. 

    There are many ways we can anonymize ourselves online. We’ll get more information about that in another article.

    What does web 3.0 mean for us?

    In the next decade, you might be able to buy amazon gift cards using Metamask and pay with ethereum, or that you could anonymously leave a like on one of your friends’ posts using one of your hidden wallets. 

    It’s not going to be a bunch of life-changing stuff all at once. It will likely be a series of ideas that grow together until centralized companies like Facebook and google are disassembled by the legislature while decentralized unregulated DAOs grow to replace them. 

    Web 3.0 foundation

    There is a company called the web3 foundation that supports increasing decentralization on the internet. Their 3 big projects are the Blockchain Polkadot, Polkadot’s Test Chain, Web3 Summit. Which is not a good overview of web 3.0 is. But they also offer some grants which a lot of them have to do with supporting and using the Polkadot blockchain. 

    So it seems to me the Polkadot team used the web3 name as a brand to push their won agenda. This would be like Facebook buying a foundation like a web 2.0 and saying they are the ones who initiated it. Facebook is a company while web 2.0 is an idea. And the same as Polkadot is a company and web 3.0 is an idea. One does not own the other.  

    Web 3.0 is a big concept that is a bunch of little ideas. Not one idea run by a foundation to get you hyped up for the next step of the internet or to buy their tokens.         

  • The New Way To Retirement: Passive Income with NFTs

    The New Way To Retirement: Passive Income with NFTs

    In this article, I’m going to explain to you how to make long-term passive income with NFTs in the future. And how blockchains could completely prevent the GME short-selling issues?

    What is an NFT?

    NFT stands for the non-fungible token which is a face way of saying that it is a unique token that can not be duplicated and is special in some way.

    Most of the NFTs you probably knew about are simply digital art NFTs. you think that the token is a piece of art. It’s not. The token is paired with an image URL on a third-party website like OpenSea. Where they say that the token represents the image. 

    Although there are truly technically no image data on the actual blockchain. The token ID is simply a pointer saying I represent that image over there. And then the actual image file is uploaded to a server that could easily change the image if they wanted to. 

    The thing is NFTs can be so much more than just art. For example, it could be house deeds, car titles, and even domain names. So now you have an idea about what NFTs are.    

    You may also like to read: 5 steps to growth hacking on Reddit, How to get more traffic using Reddit

    How NFTs can use to earn passive income?

    I’ll explain it using an example, think about a youtube channel. Each video on that youtube channel is monetized and that means that youtube ads play before each video. When they do, advertisers pay google who then takes a cut and gives us the rest. Now let’s say I made an NFT of each video on that channel. I could sell them individually and then I could also promise that whoever owned them would get 20% of the revenue from that specific videos and income during the past month. 

    For example, if a video got around 20,000 views and it earned $100. Then whoever held the NFT would be given $20 worth of USDC coin for that month. And this would continue forever so if the video made $5000 in the course of a few years. 20% of that would be paid out to the holder. 

    Example

    In this example, the 20% is arbitrary. We can make it 100% or 2%, but the idea is the same. This allows our audience to invest in our project and also be able to earn a reward. If the videos do well basically allow you to have skin in the game for our success. Not only that, but these NFTs could quickly become somewhat of a gamble where users could pay more and more for each NFT expecting a certain video to pop off one day due to the algorithm. 

    This is the core idea of a passive income NFT. that is a digital representation of a physical asset that adds value and earns in some way. NFTs like this would allow creators to benefit in the short term and investors to benefit in the long term. This is exactly what music articles will soon be using them for.

    The next example of a passive income NFT is real and it will be music artists. The artist Blau set up an NFT drop of 333 total tokens. All of these tokens combined represent 50% ownership in the streaming royalty rights of a song called “Worst case”. What does means for you is that 50% of all the money he earns from Spotify by playing that song, he is giving to the NFT holders. Also, each token had unique artwork tied to it so they are all different. 

    To put this into the perspective of how much the artist made, there are currently 257 items on OpenSea, which is an NFT marketplace. And the floor price which means the lowest possible trading price is 2 Ethereum. 

    257 x 2 Eth x $4000 (per Eth) = $2,056,000

    for half of his streaming royalties. This doesn’t mean he earned all of that though. He only got the proceeds from initially selling them. 

    One trick that these artists can implement is to add a transaction fee to each NFT that gets rerouted back to the artist’s wallet. For example, Blau could add a 5% trading fee, so that if $100,000 of his NFTs got traded this month, $5000 of it would be deposited straight into his wallet. Simply for the NFT being traded. 

    To summarize, the NFT holders will be earning passive income, but the artist will also earn passive income for their works. And don’t forget about the other 50% of the royalties that Blau gets to keep for himself. I think this technology will revolutionize the way artists are created and promoted.  

    Real Estate

    What if an entire apartment complex was turned into 100,000 NFTs. Where each NFT holder earned a percentage of the Complex’s profit. This way you wouldn’t need to have 100 million dollars to invest in these high-return buildings. But could join for a fraction of that. 

    I don’t know if this will ever happen. But it is fun to think about the endless possibilities of NFT technology even more. So what if the apartment complex started its one DOA where NFT holders could vote on changes like whether to allow smoking or not who to accept to rent to, or even which janitor to hire.   

    Stuff like this is already being done but that’s more about how DOAs work than passive income NFTs. 

    Problems

    One of the main problems with this idea is who’s going to make the payment. Because it certainly won’t be the blockchain making the payment. Someone has to physically take all of that earned money, deposit it onto the blockchain and then send it to a bunch of different wallet addresses. Which, if you know anything about the ethereum network it could quickly eat up fees if they’re not careful. 

    It seems that this is the biggest problem, stopping passive income NFTs from becoming the next big financial opportunity. I don’t see why companies in the future or even DOAs wouldn’t sell shares of their company as an NFT one day.  This would solve a big problem around the GameStop naked short-selling issues. If the NFTs were on the blockchain we could see who owned every single share issued, where they were, how often they were moving, and who does have diamond hands. 

    Comment your thoughts about passive income NFT!

  • Microsoft is trying to use DNA as Data Storage

    Microsoft is trying to use DNA as Data Storage

    DNA as Data Storage

    The world creates 2.5 million gigabytes of data per day. So the world is facing a data problem. The amount of data produced globally increases exponentially day by day. So this will create a problem soon. The world keeps creating more and more data but the ability to store those data is becoming less by data. Tham means we need more storage to store those data. 

    Also Read: What is Web 3.0?

    According to Nature, If every YouTube video we watch, every photo we snap from our phone, and every document we saved was stored on traditional flash memory chips, it would consume 10 to 100 times the expected supply of silicon by 2040. So the resources become thinner day by day. 

    So it’s now clear that we need another way to store data. And also this new data storage method must be robust and dense. Currently, Data-stored in data centers that are the size of football fields. And we need to place them in a much smaller area. The solution must fulfill the need of transferring data fast and storing valuable data for decades without causing it damage or breakdown. 

    So, where do you think that we can find such data storage, of course, in the storage that stores our genetic information? DNA. Hard drives use ones and zeros to store data. When it comes to DNA, four chemical bases, adenine (A), Guanine (G), Cytosine (C), and thymine (T) used to store data in DNA. These four compounds connect in pairs from A to T and G to C to create rungs on a double helix ladder. And it turns out you can convert “1” and “0” into these four letters and store complex data in DNA. 

    Microsoft is one of the pioneers of DNA storage. Microsoft is working with the University of Washington’s Molecular Information Systems Laboratory, or MISL. And they are making some progress in this field. In a research paper, the company announced the first nanoscale DNA storage writer. The research group expects to scale for a DNA write density of 25 x 10^6 sequences per square centimeter, or “three orders of magnitude” (1,000x) more tightly than before. So what makes this important is that this is the first indication of writing at a speed that requires DNA storage. 

    Microsoft is one of the biggest players in cloud storage. They are turning into DNA storage to get the advantage of density, sustainability, and shelf life, to beat the competition. DNA has the density to store one exabyte or 1 billion gigabytes of data per square inch. That amount is larger than Linear Type Open (LTO) magnetic tape, can provide which is the current best storage method. 

    What are the advantages of DNA as Data Storage in real life?

    According to the International Data Corporation, they predict that the data storage demand increase to 9 Zettabytes by the year 2024. According to Microsoft, it takes only one Zettabyte to download Windows 11 on 15 billion devices. If the current technology is used to store those data it needs to be stored on million of tape cartridges. So if DNA is used instead of that, nine Zettabyte of information can be stored in an area as small as a refrigerator. According to some scientists, every movie ever released can be fit in the footprint of a sugar cube. A freezer would be a better analogy because if data was stored in DNA it can last thousands of years. Also, data loss occurs in tapes after 30 years and even sooner on SSDs or HDDs. 

    There were only two main problems when it comes to DNA storage. The first one is the write speed and the second one is the cost. So with the minimum write speed within grasp, Microsoft is already pushing ahead with the next phase. 

    Microsoft told TechRadar, that “ A natural next step is to embed digital logic in the chip to allow individual control of millions of electrode spots to write kilobytes per second of data in DNA. this will bring DNA data storage performance and cost significantly closer to tape,” 

    Even though this sounds very promising, we are many years away from storing data on DNA. If we manage to overcome the technical complexities, Storing data on DNA is very expensive. According to Eth Zurich’s Robert Grass, even a few megabytes would cost thousands of dollars. When the writing speed is slow, you cannot store data that is frequently used. Researchers are trying to bring us closer to an era where the data we create is stored in the very molecule that contains our genetic information.    

    Source: Gizmodo

  • New Tesla ATV model. It’s a $1,900  Tesla Cyberquad for kids

    New Tesla ATV model. It’s a $1,900 Tesla Cyberquad for kids

    Tesla Cyberquad for kids

    Tesla released a new model that no one thought of. This vehicle might not change the stock price of the company. But this might be a good chance for the Tesla-loving parents to visit the Tesla website and purchase a holiday gift for their kids.  

    Also read: 5 steps to growth hacking on Reddit, How to get more traffic using Reddit

    Tesla has not yet shipped the Cybertruck or the full-size Cyberquad. But with this new release, you can get a mini Cyberquad designed for the kids. They are planning to start delivering in 2-4 weeks if you order it right now from the website. 

    This ATV model is available for purchase on Tesla’s website for $1,900. It is an excessive price relative to the price of an average Power Wheel. But it is by far the lowest-priced Tesla vehicle in Tesla’s lineup. But this Cyberquad is more than the battery-electric kid car. It comes up with a full steel frame, cushioned seating, fully adjustable suspension, disc brakes, and LED lights. The lithium-ion battery will provide 15 miles of range and the motor will give the Cyberquad a top speed of 10 miles per hour.  

    This model is recommended for kids older than 8 years and up. This might be the cheapest Tesla that you can buy. And also it is the most limited one when it comes to range. It takes five hours to fully charge the ATV. You can limit the 10 mph speed to 5 mph if you desire more safety. That’s still plenty fast for a kids’ ride-on vehicle. It has a max weight of 150 lbs. 

    This Cyberquad is only available in the US for now. Also, they don’t guarantee delivery in time for Christmas. But this would be an impressive thing to unwrap under the tree. Customers had only hours to order the Cyberquad and now the website says it’s out of stock. The website says for those who have ordered they’ll begin shipping in 2-4 weeks.  

    Meanwhile, the actual Cybertruck is delayed to 2022, and it is not fully clear about the full-size Cyberquad will arrive then. But Elon Musk suggested in past to ship it alongside the all-electric pickup. But what investors really want is the Cybertruck, even though Tesla didn’t respond to a request for comment about the timing.  

  • Why metaverse will be the future of work & how it can help you gain success!

    Why metaverse will be the future of work & how it can help you gain success!

    In 1991, the first-ever website went live. It’s just a page with some text on it. Then, a couple of years later, a video went live on another website. After a few years, you have YouTubers with a wider reach than an entire news outlet giant. Not it comes to the metaverse.

    Instapreneur Secrets

    First Webpage – Image Source
    Throughout history, technology made jumps that created entirely new industries and economies. And another jump happened recently. It’s called the metaverse and it’ll change how everything works.

    Even since Mark Zuckerberg made the announcement every news website and channel started to paint out this dystopian future where all of us are dammed to be mindless robots in a cog. A ready player one meets the Matrix where Mark controls everything. It’s the easy narrative to go with and the one that gets the most clicks. 

    But, this isn’t about the big companies trying to build the matrix. This is about you, understanding what’s happening and how you can make gains and profits from it. And the best way to understand this is to look at something of a smaller scale, the multiverse. 

    Have you watched the new Ariana Grande concert which was built inside the game Fortnite? No one would have thought that in 2021, Ariana Grande will tour in Fortnite. It manages to create a unique experience with a completely new level of interaction. 

    Something similar to this happened with Travis Scott last year. This type of experience does really well. It is connecting something from the real world with something from the virtual world. Something very interesting is happening right now across industries at the same time. 

    BMW announced their new car in Rocket League. You have streaming companies like Netflix making video games. You have video game-making companies like Riot making Netflix shows. The result is a disruption of how we interact with both worlds. And what’s really possible. 

    So, what exactly is the metaverse?

    facebook application icon
    Photo by Pixabay on Pexels.com

    Saying what the metaverse is now, is like saying what the internet was in the 90s. There was no concept of social media content creators, sharing platforms, trading platforms, platforms that make other platforms and the list goes on. 

    Technically, the metaverse is whatever we build on it it sits at the crossroad of web 3.0, blockchain, and virtual reality / augmented reality. It’s the combination of these three elements that make it possible. We need to take a look at the three parts individually. 

    Web 3.0

    silver imac displaying collage photos
    Photo by Designecologist on Pexels.com

    Web 3.0 is the next version of the internet. Web 1.0 looked like the website mentioned at the beginning of the article. It’s just a page with a bunch of text and some hyperlinks to more pages with more text. There is no interaction. No user-generated content. Only some text on a screen.

    Web 2.0 is what we currently have now. It is largely community-based. Most of it is user-generated content. It is highly interactive and you can do a bunch of stuff on it. One really important thing to mention here, there is only one thing you can only buy and own on the internet, a single thing. It is a domain name. Just like we own www.slviki.org nobody in the world can make another website with the same domain name. Everything else is owned by cooperations. Take a youtube video for example. A youtube video creator made that video and he owns it. But if youtube wants to they can remove that video from their platform. 

    This leads us to web 3.0. The most important thing you can do on web 3.0 is own parts of the internet. Everything that you make buys or sell on the internet is yours and you have the full rights. This happens because of blockchain and more specifically because of NFTs. 

    NFT

    round silver and gold coins
    Photo by David McBee on Pexels.com

    They are the foundation blocks of value in the metaverse. You probably have an idea of what they are but most disregard them as useless pixels on a screen for which some idiots are paying millions of dollars. But, what is stopping you from right-click save of an NFT to your desktop?. How is that valuable?

    For you to better understand how NFTs work, let’s talk about money or the story of money or how money came to be. What makes you think money, piece of paper has commercial value. Who told you that? Why would someone trade goods for your piece of paper?

    Well, it’s because over the years we agreed that a dollar is worth a dollar and we trust that it always does. It’s a social construct. It’s not even real. But it makes it easy to exchange stuff so we all agree to use it. 

    So, the value of an NFT is how much those who embrace it decide that it’s worth and it provides ownership because it can be tracked in the blockchain. It cannot be copied. What you are failing to see is that NFTs can become in the future. The same websites transform over time. 

    Compare the first webpage with google maps. They are both website pages accessed from a specific link. Yet the difference between them is mindblowing. There is this great tweet that says something like “ People say NFT’s are a scam, but they post their original creations on Instagram to exchange for a digital heart. 

    So you have this way of truly owning something and using it in the context of web 3.0.  

    Virtual Reality

    person wearing black vr box writing on white board
    Photo by Eugene Capon on Pexels.com

    Now, what would be a great way to interact with this virtual reality. Virtual reality seems to be the only thing people talk about even though it’s just a part of the metaverse. Until holograms become a thing, this is the coolest thing we have right now. It’s the natural technological progression. 

    So when someone says Facebook is building a metaverse, it’s fundamentally wrong because they don’t own the internet or the blockchain or virtual reality. It’s like saying apple built telecommunications when they launch the iPhone. It doesn’t really matter what they or google or any other company are doing. Once blockchain becomes mainstream, the internet is owned by individuals. 

    Individual Ownership

    This is what most people can’t wrap their heads around. Imagine you are an artist. You make one song and sell it for one dollar as an NFT. in your smart contract you add that every time your song gets sold you make 80% with 20% going to the seller. Let’s say I bought your song for $1 and I sell it to someone else for $1. In this case, you, the artist make $1 from the initial sale and 0.80 cents from the second sale. I also make 0.20 cents.

    This can go on and on. Every time your song is sold you get 80% of it automatically in your digital wallet. No Spotify involved, no apple music involved. No label involved. Not only do you make a whole lot more money, but your community also makes money from your work. This is how individual ownership is happening. Everything in the metaverse works with this formula. that’s what the metaverse really is. 

    How can we profit from it?

    This is the rise of individual ownership. So how can we make a profit from it? You need to become a native of this new land. In order for you to see new opportunities, you need to understand how they are created. And you do that by getting educated. If you have no idea how this new thing works and you quickly dismiss it as a dystopian nightmare, you’ll be left behind when reality both natural and virtual hits you. The good news is we are in the super early days.

    People are just starting to get educated in this space. There is a lot of room for growth and a whole new pie to eat from.    

    You may also like to read: How to make money from debt? 5 ways to make money from Debt       

  • This woman turns non-recyclable plastic into bricks that are 7 times stronger than concrete

    This woman turns non-recyclable plastic into bricks that are 7 times stronger than concrete

    A woman in Kenya managed to turn tons of non-recyclable plastic trash into super durable, lightweight bricks which cost ten times less than the price of normal bricks.

    Nzambi Matee is a 29-year-old inventor from Kenya. She became tired of tripping over plastic in her home city in Nairobi. Nairobi generates over 500 tons of plastic waste a day. And only a small fraction of that is recycled. 

    Nzambi decided instead of complaining about plastic waste, she should do something about that. So she started a company called Gjenge Makers that turns plastic into super strong, super lightweight, and super durable bricks.  

    Normally companies have to pay to dispose of their plastic waste. But Matee could solve their problem. Matee’s company takes that plastic trash from their hands for free. Her company only uses plastic that cannot be further recycled or was never recyclable in the first place, such as cereal bags, sandwich bags, shampoo bottles, milk bottles, flip-top lids, ropes, and buckets. 

    Then the plastic is shredded, then mixed with sand, and then put through a high-temperature extrusion machine. It makes a slurry out of the mixture. Then it is compressed into beautiful, colorful bricks. 

    These bricks are 7 times stronger than concrete but half the weight. It makes them easier to transport and it is easier to work with these bricks. 

    So far the bricks are used to make driveways, sidewalks, patios, and roads. But the company plans to make bricks that are suitable for building construction in the near future.

    So far Matee’s company has recycled over 20 metric tons of plastic, and that value is expected to be 50 metric tons by the end of the year. And her company produces about 500 -1000 bricks per day. And recycles close to 500 kilograms of plastic waste per day. And according to Matee, they have the capacity to make around 1000 to 15000 bricks per day. 

    Because of this company Matee has been named a Young Champion of the Earth 2020 Africa winner of the United Nations Environment Programme (UNEP). And that awards provide more funding and mentorship to Matee to further develop her company.  

    Matee said, “Plastic is a material that is misused and misunderstood” 

    All images courtesy of Gjenge Makers Ltd 

    What do you think about the story? Share your thoughts in the comment section.