Blog

How to Distribute Your Rap Music

·
Get a BeatFind free or paid beats on platforms like YouTube or BeatStars (always check usage rights). Record Your RapRecord

AI Beatmaking AI Era Airbit Artwork Auxy Max Beatmaker Mindset Beatmaking Tips Beat Marketing Beat Selling Site BeatStars Distributing Music IMRO iOS Koala Sampler Marketing For Rappers Mindset for Rappers Music Diary Music NFT Rap/Vocals Spirituality for Beatmakers Suno Udio Web3

  • [Art] Yuuyake

    yuuyake scaled

    Follow me:
    X: https://x.com/genxnotes
    Bluesky: https://bsky.app/profile/genxnotes.com
    Pixiv: https://www.pixiv.net/users/90286455

    Subscribe: If you enjoy my art, please follow me for more updates!

  • Is Hugo Cheaper than WordPress? The Real Truth About Hosting and Email

    antoine le 2ZN10EZxMmM unsplash scaled

    People say Hugo is super fast and cheap. Sites like Netlify and Cloudflare Pages let you put your Hugo website online for free or for very little money.

    But for some of us, this “save money” idea isn’t always true.


    Hugo and Static Hosting: What’s Special?

    Hugo is a tool that builds your website ahead of time, so all the pages are ready to go when someone visits. This is called a static site.

    Static hosting is when you put those ready-to-go pages on sites like Netlify or Cloudflare Pages.

    Why use it?

    • The site loads really fast
    • It is very safe from hackers
    • You don’t have to update and fix plugins or software

    The Problem: Email Hosting

    Now, let’s talk about email.

    A lot of people want to use email with their own website name (like yourname@yourwebsite.com). To do this, you need a special kind of server.

    Even if you move your website to Netlify or Cloudflare, you still need a server for your email.

    • If you keep your server just for email, you’re still paying the same
    • If you use a service like Google Workspace or Proton Mail, it can cost even more than renting a server

    So, moving your website won’t always save you money if you still need email. Server bills might stay the same!


    Why Use Hugo Then?

    If you have to pay for your server anyway, Hugo might not make things cheaper.

    But there are still good reasons to use Hugo:

    • You can move just your website (not email) to make it much faster and safer
    • Your public pages (like home, news, music samples) can use Hugo for speed
    • Visitors from other countries can see your site faster

    WordPress Can Still Be Fast

    Some people think WordPress is slow, but you can make it quick with a few tricks:

    • Use tools that save copies of your pages (caching)
    • Use simple themes and fewer add-ons (plugins)
    • Shrink images so they load fast
    • Use Cloudflare or another CDN to share your site all over the world

    So, if you like WordPress like I do, you don’t always have to consider other alternatives.


    My Conclusion

    If you are hosting your own email, you will probably always need a server. In this case, moving to Hugo might not save you money.

    But Hugo is great way to learn how to make a website, and also makes your website fast, safe, and easy to keep online.

    Pick the tool that fits your needs, not just what’s popular.

  • If You Leave Google, What Alternatives Exist for Gmail?

    yana kravchuk eogXILPg8eE unsplash scaled

    There are several email services that can serve as alternatives to Gmail. Each has distinct features, so it’s best to choose based on your needs and priorities.

    Privacy-Focused Services

    • ProtonMail
      • Offers end-to-end encryption.
      • Based in Switzerland, adhering to strict privacy laws.
      • Free plan includes 500MB of storage.
    • Tutanota
      • Ad-free with end-to-end encryption.
      • Ideal for users prioritizing privacy.
    • Mailfence
      • Supports encryption and digital signatures.
      • Includes integrated calendar and storage.

    Business and Multi-Function Services

    • Outlook.com
      • Strong integration with Microsoft Office.
      • Robust calendar and task management features.
    • Zoho Mail
      • Tailored for business users.
      • Integrates with calendar and cloud storage.
    • FastMail
      • Features a fast, customizable interface.
      • Ad-free but only available through paid plans.

    Other Options

    • Yahoo! Mail
      • Offers 1TB of free storage.
      • Suitable for personal use with customization options.
    • iCloud Mail
      • Smooth integration with Apple devices.
      • Provides a secure, ad-free environment.
    • Posteo
      • A sustainable email service with environmental focus.
      • Strong privacy and security features.

    How to Choose

    • For privacy, consider ProtonMail or Tutanota.
    • For business use, Outlook.com or Zoho Mail are recommended.
    • For personal use with cost-efficiency, Yahoo! Mail or free plans from other services may be suitable.
  • How I Added a Share Button to My Article Pages in Hugo

    rizki ardia X3vD9 0kky4 unsplash scaled

    I recently wanted to make it easier for readers to share my articles on my blog, so I added social share buttons for some popular platforms. Here’s how I implemented this in Hugo, my static site generator. This approach is flexible, if you use different sections or want to add more networks, adapting is simple.

    1. Deciding Where To Show the Share Buttons

    First, I chose to display share buttons only on specific sections (example: posts and tech). I edited my single.html template to add this conditional code wherever I wanted the buttons to appear:

    {{ if or (eq .Section "posts") (eq .Section "tech") }}
      {{ partial "share-buttons.html" . }}
    {{ end }}

    This tells Hugo to include the share buttons partial for articles in those sections only.

    2. Creating the share-buttons.html Partial

    Next, I created a new partial file at layouts/partials/share-buttons.html with the following content:

    <!-- Bluesky Share Button -->
    <a class="share-link share-bluesky"
       href="https://bsky.app/intent/compose?text={{ .Title | urlquery }}%20{{ .Permalink | urlquery }}"
       target="_blank"
       rel="noopener"
       aria-label="Share on Bluesky">
      <i class="fa-brands fa-bluesky fa-lg"></i> Bluesky
    </a>
    
    <!-- Mastodon Share Button -->
    <a class="share-link share-mastodon"
       href="#"
       onclick="shareToMastodon('{{ .Title }}', '{{ .Permalink }}'); return false;"
       aria-label="Share on Mastodon">
      <i class="fa-brands fa-mastodon fa-lg"></i> Mastodon
    </a>
    
    <script>
    function shareToMastodon(title, url) {
      var instance = prompt("Enter your Mastodon server (e.g., mastodon.social):", "mastodon.social");
      if (!instance) return false;
      var shareUrl = "https://" + instance + "/share?text=" + encodeURIComponent(title + " " + url);
      window.open(shareUrl, '_blank');
    }
    </script>
    
    <!-- RSS Feed Button -->
    {{ $rss := "" }}
    {{ range .Site.Home.OutputFormats }}
      {{ if eq (lower .Name) "rss" }}
        {{ $rss = .Permalink }}
      {{ end }}
    {{ end }}
    <a class="share-link share-rss"
       href="{{ $rss }}"
       target="_blank"
       rel="noopener"
       aria-label="RSS Feed">
      <i class="fa-solid fa-rss fa-lg"></i> RSS
    </a>
    

    Here’s a quick rundown:

    • Bluesky: Opens a new post window with the article title and link prefilled.
    • Mastodon: Prompts the user for their Mastodon instance, then opens a share window.
    • RSS: Links to my site’s RSS feed.

    3. CSS for Share Buttons

    At this point, you’ll want the buttons to look nice. Here’s a sample CSS snippet you could add to your main stylesheet or a partial. (I placed it in custom.css in /static/css/ )

    css.share-link {
      display: inline-block;
      margin: 0 0.5em 0.5em 0;
      padding: 0.5em 1em;
      border-radius: 4px;
      text-decoration: none;
      color: #222;
      background: #f2f2f2;
      transition: background 0.2s;
    }
    .share-link:hover {
      background: #e0e0e0;
    }
    .share-bluesky { color: #0077FF; }
    .share-mastodon { color: #6364FF; }
    .share-rss { color: #FFA500; }
    

    4. Font Awesome Icons

    To display the icons, I used Font Awesome. Make sure to include the Font Awesome CDN (or your preferred setup) in your head.html partial or site template, for example:

    <link rel="stylesheet" href="https://use.fontawesome.com/releases/v6.6.0/css/all.css">

    (Adjust the version or method as needed.)

    5. Any Missing Steps?

    • Partial Path: Confirm that your share-buttons.html file is in layouts/partials/.
    • Testing Output: Run hugo server locally and load a page in a qualifying section to see if the buttons appear.
    • Accessibility: Each button uses aria-label for better screen reader support.
    • Future Extensions: You can easily add Twitter, Reddit, or Facebook. Just follow the same pattern as above.

    Conclusion

    Adding social share buttons to your Hugo articles isn’t hard. You just need a template partial, some HTML/JS/CSS, and (optionally) icons. Now, it’s even easier for readers to help spread the word about your posts.

    Pro tip: If you use a different theme or site structure from the Hugo default, just adjust the file paths and sections accordingly.

  • How to Attract Traffic to Your “Isolated Island” WordPress Blog Without Relying on Google

    behnam norouzi zNcEBHCPwq0 unsplash scaled

    Launching a new static blog feels a lot like setting up camp on a remote, undiscovered island: there’s excitement, creative freedom, and… almost no visitors. If you’ve felt the sting of zero traffic, you’re not alone. In a web landscape dominated by Google, it’s easy to believe search engines are the only way to attract readers. Fortunately, the landscape is evolving, and there are now more ways than ever to guide readers to your digital shore, without depending on Google at all.

    Welcome to your comprehensive guide to blog promotion in the post-Google era.


    Rethinking Blog Promotion: Why Go Beyond Google?

    Relying only on search engines like Google puts your blog at the mercy of ever-shifting algorithms. For new and independent sites, it’s common to receive little or no search-driven traffic at first. This can be discouraging, but it’s also an opportunity. By diversifying how you reach your audience, you’ll insulate your site from algorithm changes, build a more engaged readership, and participate in new, exciting web communities.


    Practical Ways to Attract Non-Google Traffic

    1. Integrate With the Fediverse

    The Fediverse is a decentralized network of social platforms (like Mastodon, Pleroma, and PeerTube) that communicate using open protocols (such as ActivityPub). By connecting your blog to the Fediverse, you open it up to readers who value independent publishing and want content delivered directly, free from centralized control.

    How to Do It:

    • Use plugins or static site generators (e.g., Hugo with ActivityPub support) to make your articles available as Fediverse posts.
    • Each new blog post can automatically be shared as a “status” or note within the Fediverse, enabling shares, likes, and replies.

    Result:
    You enter a thriving, open network of early adopters and web-enthusiasts, a perfect audience for unique, indie blogs.


    2. Leverage Microblogging Services

    Platforms like micro.blog are designed for independent creators. These services let you syndicate your blog updates, operate under your own domain, and often provide cross-posting features to reach users on Mastodon, Bluesky, and elsewhere.

    Steps:

    • Sign up with micro.blog (or similar).
    • Configure your blog’s RSS feed to auto-syndicate new posts.
    • Enable cross-posting to Mastodon, Bluesky, and other supported networks.

    Tip:
    Using your own domain or subdomain camouflages your microblog presence as a native extension of your main site while giving you access to a wider audience.


    3. Build Your Own Mastodon Server

    Running your own Mastodon instance is easier than ever, especially with managed hosting services (like XServer SNS in Japan). This lets you create a fully controlled social media platform that’s automatically part of the Fediverse.

    Benefits:

    • Broadcast new blog posts directly to followers, across the entire Fediverse.
    • Maintain ownership and moderation of your community.
    • Integrate your blog and Mastodon feed for seamless content publishing and discovery.

    Self-hosting provides unmatched flexibility and can become a showcase for both your technical skills and your content.


    4. Configure IndieWeb Features

    The IndieWeb is a grassroots movement for a web built by, and for, individual creators. Its philosophy: own your content, your platform, and your connections. By enabling IndieWeb functionality, you make your site more discoverable within a network of like-minded creators, facilitate direct interactions, and reinforce your independence.

    Key IndieWeb Features to Enable:

    • Microformats: Mark up your blog’s HTML with microformats (like h-entry for posts), making your content machine-readable for social readers and aggregators.
    • Webmentions: Enable sending and receiving Webmentions (like trackbacks, but modern and decentralized) so that when another IndieWeb site mentions your post, you get a notification, and vice versa. Try using webmention.io or self-hosted software.
    • IndieAuth: Support IndieAuth, allowing decentralized, portable login across IndieWeb sites.
    • POSSE: Publish on your Own Site, Syndicate Elsewhere, use tools like Bridgy to push updates to Twitter, Mastodon, and others, linking back to your site.

    Join IndieWeb directories and news aggregators like IndieWeb.xyz and IndieNews to further boost your chances of discovery.

    Benefit:
    Joining the IndieWeb makes you part of an interconnected web of sites that value conversation, direct feedback, and peer-driven discovery.


    5. Join WebRings

    WebRings are a classic, yet powerfully resurgent, way to connect sites with common interests. By joining a WebRing, you participate in a circular network, where each site links to others in the group. Visitors are encouraged to “surf” the ring, discovering new content in a way that’s fun and serendipitous.

    How to Join:

    • Find relevant WebRings (e.g., for static sites, music producers, indie blogs, etc.).
    • Follow each ring’s signup process, typically adding a provided HTML/JS snippet to your blog’s footer.
    • Consider starting your own WebRing if one doesn’t exist for your niche.

    Result:
    Instant traffic from a pool of interested, community-minded visitors who enjoy supporting small and independent websites.


    6. Blend in Traditional Methods

    Don’t overlook tried-and-true methods that continue to work:

    • Start an email newsletter: Build a direct relationship with your readers. Direct emails work, and newsletter subscribers are among the most valuable and engaged visitors.
    • Share on social media: Twitter, Instagram, Discord communities, or music and coding forums can generate word-of-mouth and network effects.

    Final Thoughts

    You don’t have to depend on Google for your blog’s survival or success. By integrating with the Fediverse, leveraging microblogging platforms, running your own Mastodon instance, embracing IndieWeb principles, and joining WebRings, you can transform your “isolated island” blog into a vibrant hub connected to countless digital journeys.

    These grassroots, open-web strategies celebrate the original spirit of the internet: connection, discovery, and individual expression. The tools exist now for you to build a readership that’s platform-proof, algorithm-resistant, and truly yours.

    Get started today, your readers are out there, waiting to discover your island.

  • How to set your own domain as a username in Bluesky

    riswan ratta QGe3iE8ImDM unsplash scaled
    1. Log in to the Bluesky app and open the settings screen.
    2. Click “Change handle”.
    3. Select “I have my own domain”
    4. Enter the custom domain name you want to use.
    5. Copy the displayed DNS setting information.
    6. Add the copied information to the domain’s DNS settings:
      • Add as TXT record
      • Enter hostname and target (or value) exactly
    7. After saving your DNS settings, return to the Bluesky app and click “Verify DNS Record.”
    8. If the authentication is successful, you will see the message “Your domain has been verified!”.
    9. Click Save to confirm your changes.
  • Mastodon vs Bluesky: Auto-Post Removal for Old Social Content

    marek piwnicki w3ju9TIrtrk unsplash scaled

    Cleaning up old, irrelevant social media posts is a crucial feature for anyone who cares about maintaining a professional or fresh online presence. Here’s how Mastodon and Bluesky compare when it comes to automatic post deletion:

    Mastodon: Built-In Auto-Delete for Posts

    Mastodon offers a native, highly configurable automated post deletion feature right in its core settings:

    • Location: Available in Preferences > Automated Post Deletion.
    • Control: You can set the age threshold for post deletion (from 1 week up to 2 years).
    • Exemptions: Choose to skip deletion for specific posts, such as pinned items, DMs, posts with media, posts that are bookmarked, or even posts above a certain popularity (measured by boosts or favorites).
    • Manual override: Turning off the feature simply disables it for future posts, but already deleted posts are not recoverable.
    • Federated deletion: Attempts to delete old posts from all federated servers, though some copies may persist if other servers do not honor deletion signals.

    Bluesky: No Native Auto-Delete—Relying on Third-Party Tools

    Bluesky currently lacks an integrated automated post deletion feature:

    • Manual or third-party only: Users must use external tools or services (like Redact.dev or scripts such as Skeeter-Delete) for scheduled post removal.
    • Disappearing Mode & Bulk Removal: Third-party apps allow auto-deletions, such as removing posts, reposts, and likes based on age or specific criteria, but this is not part of Bluesky’s native workflow.
    • Configurability: Deletion settings depend on the chosen tool or service and may require payment, manual setup, or periodic intervention.
    • Upcoming features: There are user requests for a built-in feature, but as of now, it remains external.

    Feature Comparison Table

    PlatformNative Auto-DeleteGranular ControlsThird-Party Tools OnlyFederated/All-In-One
    MastodonYesYes (age, popularity, exceptions)NoFederated, but not all servers may respect deletion
    BlueskyNoDepends on external toolYesAll-in-one platform

    Why This Matters for Content Managers & Creators

    For someone who manages blogs and values fresh content—especially if you prefer self-hosting and absolute control—Mastodon’s built-in automation gives you peace of mind. You can avoid the hassle of manual cleanup, keep your archive lean, and ensure that outdated, irrelevant posts do not linger to potentially harm reputation, clutter your profile, or dilute your brand. Bluesky’s reliance on third-party solutions for a basic function like auto-removal is a significant drawback for anyone who regards content lifecycle and curatorial control as top priorities.

    Verdict: Mastodon’s auto-removal tools are more robust and convenient for content creators and managers who want minimal maintenance of old social content.

  • How to Get Started with the IndieWeb Webring on Hugo

    erry s nugroho HMhG9RgADN8 unsplash scaled

    Joining the IndieWeb Webring is a great way to connect your personal Hugo site to the broader IndieWeb community. Here’s how to get started:

    1. Visit the IndieWeb Webring

    2. Set Up Authentication: IndieAuth or RelMeAuth

    • The Webring site uses IndieAuth and/or RelMeAuth for sign-in. Since Hugo sites are static, you’ll generally use RelMeAuth.

    What is RelMeAuth?

    • RelMeAuth is an authentication method based on linking your personal website to established profiles (like GitHub or Mastodon) using rel=”me” links.
    • This lets you use your social profiles to authenticate as “you”, using your site’s identity.

    Steps for Setting Up RelMeAuth

    Add rel=”me” Links
    In your Hugo site’s layouts (usually in the head partial template), add links to your existing verified social profiles with rel=”me”. For example:

    <a href="https://github.com/yourusername" rel="me">GitHub</a> <a href="https://mastodon.social/@yourusername" rel="me">Mastodon</a>

    Make sure your social profiles link back to your website as well (for bidirectional verification).

    Sign In on the Webring Site

    Click the “Sign in” button at https://xn--sr8hvo.ws/.

    Enter your personal website URL. The service will look for your social rel=”me” links and use those to authenticate you through RelMeAuth.

    Complete the authentication process by authorizing through your social profile (usually GitHub or Mastodon).

    3. Add Webring Navigation Links to Hugo

    Once authenticated and added to the webring, you’ll be instructed (or allowed) to add navigation links to your website.

    Edit your Hugo footer partial ( commonly layouts/partials/footer.html ).

    Add the following HTML snippet for the navigation links:

    <a href="https://xn--sr8hvo.ws/previous">←</a> An <a href="https://xn--sr8hvo.ws">IndieWeb Webring</a> 🕸💍 <a href="https://xn--sr8hvo.ws/next">→</a>

    This enables seamless navigation to the previous and next sites in the ring.

    4. Double-check Your Site Links (Recommended)

    • Validate that your rel=”me” links are correctly formatted. You can use indielogin.com/setup or indiewebify.me to check for errors.
    • Ensure your social profiles link back to your website (bidirectional linking is required for verification).
    • If you use domain aliases or non-www/www inconsistencies, ensure your social profiles match your canonical website URL.

    5. All Set. You’re in the Webring!

    • After your site is approved, the webring links will automatically display the correct previous/next sites based on updates at xn--sr8hvo.ws.
    • From now on, when someone visits your site, they can use the webring links to discover other IndieWeb sites.

    Optional Enhancements

    • Consider customizing the placement or style of the webring links to match your site’s theme.
    • Document any IndieWeb or Webmention features you support—many IndieWebbers like sharing how their sites interact with others.

    That’s it.
    You’re now part of a decentralized community-powered webring, using web standards and your own web identity.

  • How to Achieve POSSE (Publish on your Own Site, Syndicate Elsewhere)

    rizal ramadhany 9UerTAAiywo unsplash scaled

    POSSE (Publish on your Own Site, Syndicate Elsewhere) is a content publishing strategy that emphasizes posting original content on your own website first and then syndicating (sharing) it to third-party platforms like social media or other content aggregators. This approach ensures you maintain control and ownership of your content while still reaching audiences on external platforms. Below is a comprehensive guide to implementing POSSE:


    Steps to Implement POSSE

    1. Set Up Your Personal Website

    • Use a platform like WordPress, Hugo, or Jekyll to create a website that you own and control.
    • Ensure your website supports RSS feeds, as these are often used for syndication.
    • Choose a domain name that reflects your brand or identity.

    2. Publish Content on Your Website

    • Post all original content (articles, blog posts, microblogs, etc.) on your website first.
    • Include metadata like canonical URLs to establish your site as the original source.

    3. Syndicate Content to External Platforms

    Syndication involves sharing copies or summaries of your content on third-party platforms with links back to the original post. Here’s how:

    • Manual Syndication: Copy and paste the content or its summary to platforms like Twitter, Facebook, or LinkedIn, including a link to the original post.
    • Automated Syndication:
    • Use tools like Bridgy for automated sharing to platforms like Twitter or Mastodon.
    • Plugins like “WordPress Crosspost” can automate syndication from WordPress to Medium or other platforms.
    • Services like IFTTT or Zapier can connect your RSS feed to social media accounts for automatic posting.

    4. Link Back to Your Original Content

    • Ensure syndicated posts include a link (e.g., permashortlink) back to the original post on your site. This helps redirect traffic and improves SEO.

    5. Track and Manage Responses

    • Use tools like Webmentions or Bridgy Backfeed to aggregate comments, likes, and shares from third-party platforms back onto your website.

    Tools and Plugins for POSSE

    Here are some tools and plugins that can simplify POSSE implementation:

    • WordPress Plugins: Plugins like “IndieWeb” or “Jetpack” support syndication and webmentions.
    • RSS-Based Tools: Tools such as Feed2Toot (for Mastodon) or Enhance’s Arc Plugin can syndicate RSS feed content automatically.
    • Custom Scripts: For developers, tools like SiloRider (Python) or custom GitHub Actions can be used for more advanced automation.

    Benefits of POSSE

    1. Content Ownership: You retain full control over your content without relying on third-party platforms.
    2. Improved SEO: Canonical links and backlinks from syndicated content improve discoverability.
    3. Platform Independence: If a social media platform changes its terms of service or shuts down, your content remains safe on your site.
    4. Audience Reach: Syndication allows you to meet audiences where they are while driving traffic back to your site.

    Example Workflow

    1. Write an article on your personal site (e.g., WordPress).
    2. Use an RSS-based plugin or tool like Bridgy Publish to share the article on Twitter and Mastodon.
    3. Include links in syndicated posts pointing back to the original article.
    4. Aggregate comments from Twitter using Bridgy Backfeed.

    By following this model, you can ensure that you maintain ownership of your content while leveraging external platforms for visibility and engagement.

  • What To Keep in Mind as a AI Beatmaker

    planet volumes YvuZEeRt eo unsplash scaled

    Here are some important things to keep in mind as AI beatmaker:

    1. Use AI as a Tool, Not a Replacement
    AI can help you come up with ideas, sounds, and patterns. But your own style and choices make your beats unique. Use AI to support your creativity, not take it over.

    2. Keep Your Music Original
    Don’t copy other artists. Make sure the beats and samples you use (even from AI) are not just imitating other people’s work. Try to make something new that’s your own.

    3. Know the Rules about Copyright
    Some AI tools use music from other artists to learn, which can cause legal problems. Always check if your AI tools are allowed to use certain sounds or samples. Make sure you’re not breaking copyright laws.

    4. Be Honest About Your Process
    If someone asks, let them know you use AI in your process. Many artists do. Being transparent helps people understand your music and keeps things fair in the creative community.

    5. Keep Learning New Skills
    Music and technology change fast. Keep learning about new AI tools and music trends. The more you know, the better your beats will be!

    6. Mix Human and AI Creativity
    Some of the best music comes from using both human ideas and AI help. For example, you might start a beat in your head, let AI finish it, then change it again with your own style.

    7. Focus on Quality
    Check your final beats for sound quality. Sometimes, AI-made music can sound a bit strange or too repetitive. Edit and improve your tracks before sharing them.

    8. Respect Other Musicians
    AI makes it easy to create, but always respect the hard work of other musicians. Don’t claim someone else’s work as your own.

    9. Stay True to Your Vision
    No matter what tools you use, stay true to your own voice and vision. AI can help you, but the heart of your music comes from you.

    Keep making beats, explore new ideas, and have fun! That’s how you stand out as an AI beatmaker.

  • How to Remake Your Old Suno Songs with the Latest Version

    jetts thanatip 9km4MLt9xZM unsplash scaled

    Suno is evolving fast as an AI music creation tool. Many users want to refresh songs they made in early Suno versions (like V3 or V4) and upgrade them using the latest engine. However, you might have noticed that using the Remastering feature often doesn’t fix noise issues and mostly just changes the mix a little, it rarely feels like a true upgrade. Here’s the best way to remake your old Suno tracks.

    The Current Limitations of Remastering

    • Noise Issues Remain
      Remastering might slightly reduce certain artifacts, but in most cases, the original noise and shimmering is still present. The results feel more like a remix rather than a true quality improvement.
    • No Substantial Sound Upgrade
      The underlying arrangement and AI engine from the old version remain the same. It won’t bring out the clarity or dynamics you get with brand-new Suno outputs.

    The Best Method: Cover Feature + High Audio Influence

    1. Use the Cover Feature
      Upload your old audio track into Suno’s “Cover” mode. This allows the latest AI engine to recreate the track.
    2. Set Audio Influence High
      Increase the Audio Influence (e.g., 80% or higher, or set to max). This way, the new AI model strongly references your original melody and structure, but the overall sound and quality are updated.
    3. Adjust Prompts & Lyrics as Needed
      If you have the original prompt or lyrics, re-enter them. If results feel off, try tweaking your text for clarity or to better suit Suno’s latest model.

    Step-by-Step Guide

    1. Download or Prepare Your Old Song’s Audio File
    2. In Suno, select “Create Cover” and upload your audio
    3. Set Audio Influence to a high value
    4. Re-input your original prompt/lyrics
    5. Generate the new song and check the results

    Things to Keep in Mind

    • If your original melody or arrangement is very complex, the AI might reinterpret it slightly, resulting in some changes.
    • Don’t expect a 1-to-1 copy. Think of it as a “renewal” or reboot.

    Conclusion:
    If you want to recreate your older Suno tracks with the latest version, don’t use Remastering. Instead, the best current approach is to use the Cover feature with a high Audio Influence setting. You’ll get improved sound quality and a fresh feel, making the most of Suno’s evolution. Give it a try and enjoy the difference.

  • How to Build a Community and Share Your Work Through Music NFTs

    shiuly suherni u412VK61szE unsplash scaled

    When people talk about NFTs, the focus is often on “Can you make money with them?” But honestly, if you’re just chasing profit, things rarely work out as expected. Recently, I’ve realized that NFTs work way better as a tool to share your art and ideas with more people, rather than as a get-rich-quick scheme.

    For example, you can distribute your NFTs for almost-free or at super low prices, or use platforms like Rodeo.club to easily get your creations out into the world. This approach attracts people who truly want to support or are genuinely interested in your work—not just those looking to make a quick buck.

    Why Give Away or Sell NFTs Cheaply?

    • Super Low Entry Barrier
      Anyone who’s even a little bit interested can get your NFT, so your art spreads more naturally and widely.
    • People Helps Spreading the Word
      People who have interest in your NFT are more likely to post about it on social media or tell their friends, which helps your work reach even more people.
    • Build a Real Fan Community, Not Just Speculators
      Since the focus isn’t on making money, you end up gathering true fans and creative friends, not just “investors.”

    So, What’s Really Important?

    Instead of thinking, “I’m going to cash in on NFTs,” try, “I want people to discover my art,” or “I want to connect with those who share my vision.” If you build that community first, recognition and bigger things can follow down the line, even if money wasn’t your main goal at the start.

    NFTs aren’t about price, they’re about community and experience! Don’t get trapped by the money mindset, focus on building friendships and fans around your work. That’s both more rewarding and a whole lot more fun.

  • Auxy Max for Mac Launches, Bringing the Acclaimed Music App to the Desktop

    mushaboom studio o95WYbDWxyY unsplash scaled

    Exciting news for creators: Auxy, the beloved music production app renowned for its intuitive workflow and creative focus, has officially arrived on Mac as “Auxy Max.” This marks a major step for the platform, opening up new possibilities for producers who prefer working on larger screens.

    What is Auxy Max?

    Auxy Max is a native Mac application that faithfully recreates the signature Auxy experience, while taking advantage of desktop performance and screen real estate. The app brings all the same powerful sounds and features users have come to expect from the iOS version, making it easier than ever to start a track on your iPad and finish it on your Mac.

    Flexible, Unlocked Creativity

    Users can try Auxy Max for free with up to four instruments per project, a perfect way to explore its workflow and sound library without commitment. Unlocking the full experience is simple: an affordable, one-time purchase made directly in the app opens up unlimited creative potential.

    Designed for Bigger Ideas

    The team behind Auxy has emphasized that building for Mac was about giving creators “more space for your big ideas.” The larger workspace, combined with Auxy’s streamlined interface, lets users work more comfortably and efficiently, whether sketching beats or fleshing out complete songs.

    Hardware on the Horizon

    In even more exciting news, Auxy isn’t stopping with software. The company has revealed it’s developing a hardware product aimed at fall release, designed with the same philosophy as the app: “beautiful, simple, and made to inspire creativity.” While details remain under wraps, this instrument is set to offer musicians a new creative playground that blends seamlessly with Auxy’s digital workflow.

    What’s Next for Auxy?

    Alongside the launch of Auxy Max and the upcoming hardware, the Auxy team is committed to rolling out further improvements, new features, and an ever-expanding collection of sounds.


    Auxy Max for Mac is available now on the Mac App Store.

    Early users are encouraged to share their feedback as the team continues to evolve the app and the Auxy ecosystem.


    Are you an Auxy fan or just discovering it for the first time? Auxy Max might be the creative spark your desktop music production setup has been waiting for.

  • How to Be Happy as a Musician

    gustopo galang taX0p8kyntQ unsplash scaled

    People often say happiness in music comes from fame, praise, or money.

    But that’s not always true.

    When you chase what others want, your creative fire gets smaller. These five simple ideas can help you feel happier and make better music, step by step.

    1. Stop trying to stand out
      Being seen can feel good. It can bring more plays and more gigs. But making music just to get attention pulls you away from your real voice. The spotlight is not the problem. Making music for the spotlight is.

    Try this: It’s okay if no one hears your song today. Be honest with your future self. Care more about one strong note than a big show. Spend more private time practicing and writing. Track what you hear and feel (tone, silence, and dynamics) instead of likes or numbers.

    1. Stop trying to be praised
      Praise feels nice, but it changes fast. If you chase compliments, other people start to control your direction. You don’t need to reject praise. Just don’t let it lead you.

    Try this: Your music has value before anyone describes it. On good days, review your process, not the reactions. After you release something, don’t check comments or stats for 48 hours. Ask a few trusted people for feedback, not everyone.

    1. Don’t make money the main goal
      Money matters. It helps you keep going. But if money sits at the center, your music can feel thin and forced. Don’t ignore money. Just don’t let it be your core. Let your sound be the core. Money can be the system around it.

    Try this: Think of income as a side effect. The main thing is your sound and your time. Ask, “Do I want to play this again?” not “Will it sell?” Lower your fixed costs so you have more time to create. Choose work that doesn’t hurt your musical core.

    1. Don’t try to “save” people
      Music often helps people on its own. But when you try too hard to help, the sound can get stiff. Real help is a result of being honest. Be true to your sound first. Listeners who feel it often find their own strength.

    Try this: Aim for resonance, not rescue. Let the music do the talking. Leave space in your songs so the listener can add their story. In live shows, talk a little less and play a little more.

    1. Keep making the music you want to make
      This is the heart. Don’t freeze your style. Grow it. Listen inside. Reach for the sounds that move you today. Follow what your body agrees with, not what trends say.

    Try this: A song is done when there’s nothing left to remove. Keep what is needed. Be consistent. Protect small daily habits. Spend a few minutes each day making raw pieces, motifs, riffs, or textures. Once a month, make a private “failed works” folder to keep your freedom strong.

    Conclusion
    Happiness is not one big moment. It’s a set of small, steady habits.

    You don’t have to deny fame, praise, money, or helping others. Just put your sound first. When you stay true to your sound, music becomes more than work. It becomes a way to live. And music lived this way can quietly change the world around you.

  • Why AI Music Seems to Have an Expiration Date

    annie spratt conPCk1OFeI unsplash scaled

    When I make my own tracks, no matter how rough or unpolished they are, they never feel “outdated” to me. Even if I listen to something I made years ago, I can enjoy it as a kind of time capsule, like “Ah, back then I was really into this kind of sound.” Even if the audio quality isn’t great, it just feels natural.

    But AI-generated music is different. When a new model comes out, the tracks made with the older model start to sound dated. With human-made music, imperfections can become part of its charm, but with AI music, imperfections stand out as “flaws.” That makes us constantly chase the newest model, and only the freshest AI sounds feel exciting.

    That’s why I think AI music has an “expiration date.” It’s strange, but that’s how it feels.

  • Koala Sampler Sound Packs: Personal Take

    linus belanger 9X MX6NL6xw unsplash scaled

    I recently picked up a few of the Koala Sampler sound packs (¥500 each, so ¥1,500 for three) mainly just to support the project—I like what they’re building, and it seemed like a low-risk way to contribute.

    The sounds themselves are solid: you get a mix of analog drums, jazzy keys, and some interesting vintage dub vibes. They’re fun for quick sketches and definitely work if you want fresh ideas, especially with the little “toys” that come with the packs. I’ve enjoyed playing around and seeing what pops out.

    That said, actually sampling on Koala Sampler for Mac feels kind of clunky at the moment. Importing and chopping stuff isn’t as smooth as it could be, and I found myself wishing it matched the slick workflow of the mobile app. Hopefully, that’s something they’ll improve over time.

    Bottom line: Good sounds, fair price, and I’m happy to support the dev. But if you’re on Mac, expect sampling to be a bit rough around the edges for now.

  • Record Rap Tracks on a Budget

    chris costa 3iA8gtVaf3c unsplash scaled

    Modern tech makes professional music accessible to everyone. Here’s how to start with minimal investment:

    1. Smartphone: Use your phone to record, mix, and share. iPhones and Androids are excellent options.
    2. Headphones w/ Mic: Basic headphones deliver clear sound. Record in a quiet, echo-free space.
    3. App:
      • Voloco: Adds auto-tune and effects.
        Balance vocals with beats and use effects sparingly.
    4. DIY Acoustics: Reduce noise with blankets, pillows, or closets as makeshift booths.
    5. Edit & Share: Use free tools like Audacity or GarageBand to polish tracks. Share on TikTok, YouTube, and more.

    Key: Creativity and consistency matter most. Start recording today!

  • What equipment do you need to record a rap?

    nik 0vgqh6TYvu0 unsplash scaled
    1. iPhone
    2. Earphones with Microphone
    3. Voloco app
  • How to Create a Low-Budget Rap Recording Setup

    anu priya DTHuxgO9Fdg unsplash scaled

    If you’re looking to start recording rap on a budget, you can easily set up a functional recording environment using just your iPhone, earphones with a built-in microphone, and an excellent app: Voloco. This tool is a beginner-friendly and provide everything you need to create and share your tracks.


    What You’ll Need

    1. iPhone: Your primary device for recording and editing.
    2. Earphones with a Mic: Even basic earphones with a built-in microphone will work.
    3. App: Voloco: A vocal processing app with auto-tune, reverb, and multi-track recording.

    Step-by-Step Guide

    1. Install the Apps

    • Download Voloco from the App Store or Google Play Store.
    • App is free to use, with optional premium features for advanced users.

    2. Prepare Your Beat

    • Voloco also offers a beat library that automatically detects the key of the track for pitch-perfect recordings.

    3. Record Your Vocals

    • Open Voloco to record your vocals with effects like auto-tune, reverb, or harmony. You can layer up to eight vocal tracks for ad-libs or harmonies.

    4. Edit and Enhance

    • In Voloco, refine your vocals by adjusting pitch correction, EQ, and other effects. You can also separate vocals from existing tracks if needed.

    5. Share Your Music

    • Export your recordings from Voloco as high-quality WAV files for further mixing in other apps if desired.

    Why Choose Voloco?

    Voloco app is highly rated for the ease of use and powerful features:

    1. Voloco:
    • Automatic pitch correction and noise reduction for studio-quality sound.
    • Multi-track recording for complex arrangements.
    • A wide variety of vocal effects grouped into presets like Modern Rap or Talkbox.

    Tips for Better Results

    • Improve Sound Quality: Record in a quiet space to minimize background noise.
    • Experiment with Effects: Voloco app offers numerous presets—try different combinations to find your unique sound.
    • Practice Regularly: The more you use Voloco, the better you’ll get at crafting polished tracks.

    With just an iPhone, earphones, and Voloco app, you can start making professional-quality rap recordings today. Whether you’re rapping for fun or aiming for the charts, this setup is perfect for beginners on a budget.