• 1 Post
  • 74 Comments
Joined 9 months ago
cake
Cake day: June 7th, 2025

help-circle







  • Not quite correct. The GPL (any other free software license I’m aware of) doesn’t require you to accept changes from anyway. You can develop a piece of software and release it under the GPL without accepting public pull requests.

    Free software licenses protect your rights to do certain things with the source code (the distinction from ‘source available’ software being exactly what is explicitly protected), but it doesn’t require you to accept or entertain changes from anyone who wants to make them–essentially you can force them to fork the project in those cases.






  • brandon@piefed.socialtoProgrammer Humor@lemmy.mlrustmas
    link
    fedilink
    English
    arrow-up
    7
    ·
    3 months ago

    Not really, because rust doesn’t have exceptions. Instead you are encouraged to handle every possible case with pattern matching. For example:

    fn maybe_add_one(number: Option<u8>) -> u8 {
        match number {
            None => 0,
            Some(i) => i + 1,
        }
    }
    

    Option<u8> is a type which can either be some 8bit unsigned integer, or none. It’s conceptually similar to a Nullable<int> in C#.

    In C# you could correctly implement this like:

    public int MaybeAddOne(int? number)
    {
        if (number.HasValue)
        {
            return number.Value + 1;
        }
    
        return 0;
    } 
    

    In rust, you can call Unwrap on an option to get the underlying value, but it will panic if the value is None (because None isn’t a u8):

    fn maybe_add_one(number: Option<u8>) -> u8 {
        number.unwrap() + 1
    }
    

    In some cases unwrap could be useful if you don’t care about a panic or if you know the value can’t be None. Sometimes it’s just used as a shortcut. You can likewise do this in C#:

    public int MaybeAddOne(int? number)
    {
        return number.Value + 1;
    } 
    

    But this throws an exception if number is null.

    A panic isn’t the same as an exception though, you can’t ‘catch’ a panic, it’s unrecoverable and the program will terminate more-or-less immediately.

    Rust provides a generic type Result<T, E>, T being a successful result and E being some error type, which you are encouraged to use along with pattern matching to make sure all cases are handled.



  • brandon@piefed.socialtoProgrammer Humor@lemmy.mlrustmas
    link
    fedilink
    English
    arrow-up
    1
    ·
    3 months ago

    It’s more like a method that can throw an exception. Rust doesn’t really have exceptions, but if you have a Result<T> or Option<T> type you can Unwrap it to get just the T. But if there’s no T to get (in the case of an Error type for Result for None for Option) the call panics.