Header image

Uploading objects to AWS S3 with presigned URLs

19/05/2025

99

Quang Tran M.

I’m Quang Tran, a full-stack developer with four years of experience. I’ve had my fair share of struggles when it comes to uploading files to cloud storage services like Amazon S3. Not too long ago, I used to rely on the traditional method: the server would receive the file from the client, store it temporarily, and then push it to S3. What seemed like a simple task quickly became a resource-draining nightmare, and my server started to “cry out” from the overload.

But then, I discovered Presigned URLs—the technique that allows clients to upload files directly to S3 without burdening the server. Presigned URLs help us solve the issues mentioned above. Today, I will show you how to implement this in SupremeTech‘s article.

Traditional file uploading

When you use applications with file upload features, such as uploading photos to social media platforms, the process is mainly done by selecting a photo from your device and sending it to the server for storage. This process started with traditional upload and has evolved over time. The steps were as follows:

  1. The user selects a photo from the device.
  2. The client sends a request to upload the photo to the server.
  3. The server receives and processes the photo, then stores it in the storage.
Traditional file uploading
The traditional file upload process

This process may seem simple, but it can impact the server’s performance. Imagine when thousands of people are uploading data at the same time, and the data size is large; your server could become overloaded. This requires you to scale your application server and ensure available network bandwidth.

After identifying this issue, AWS introduced the Presigned URL feature as a solution. So, what is a Presigned URL?

What is the Presigned URL?

A presigned URL is a URL that you can provide to your users to grant temporary access to a specific S3 object. You can use a presigned URL to read or upload an object to S3 directly without passing it through the server. This allows an upload without requiring another party to have AWS security credentials or permissions. If an object with the same key already exists in the bucket specified in the presigned URL, Amazon S3 replaces the existing object with the uploaded object.

When creating a presigned URL, you must provide the following information:

  • Amazon S3 bucket name
  • An object key (if reading this object will be in your Amazon S3 bucket, if uploading, this is the file name to be uploaded)
  • An HTTP method (GET for reading objects or PUT for uploading)
  • An expiration time interval
  • AWS credentials (AWS access key ID, AWS secret key ID)

You can use the presigned URL multiple times, up to the expiration date and time.

Amazon S3 grants access to the object through a pre-signed URL, which can only be generated by the bucket’s owner or anyone with valid security credentials.

How to upload a file to S3 using a presigned URL?

How to upload a file to S3 using a presigned URL
Workflow for uploading a file using a presigned URL

How to create a presigned URL for uploading an object?

We already know what a presigned URL is, so let’s explore how to create one and upload a photo through it.

There are two ways to create a presigned URL for uploading, which are:

  • Using the AWS Toolkit for Visual Studio (Windows).
  • Using the AWS SDKs to generate a PUT presigned URL for uploading a file.

In this blog, I will introduce how to use the AWS JS SDK (AWS SDK for JavaScript) to generate a PUT presigned URL for uploading a file.

Using the AWS JS SDK

First, you need to log in to the AWS console with an account with permission to read and write objects to S3.

  • When you use the AWS SDKs to generate a presigned URL, the maximum expiration time is 7 days from the creation date.
  • You need to prepare the AWS credentials (AWS access key ID, AWS secret key ID), region, S3 bucket name, and object key before uploading and securely storing them on the server.

Before we start creating a presigned URL, there are a few important things to note as follows:

  • Block all public access to the S3 bucket (crucial for data security, preventing accidental data leaks or unauthorized access to sensitive information)
  • Never store AWS credentials in front-end code (access key ID, secret key ID)
  • Use environment variables and secret managers to store AWS credentials securely
  • Limit IAM permissions (least privilege principle – AWS recommendation)
  • Configure CORS to allow other origins to send file upload requests

To create a direct image upload flow to S3, follow these steps:

  1. On the front-end, you call the API to create a presigned URL on the back-end server and send the key of the object you want to store.
  2. On the back end, you create an API to generate the pre-signed URL, as shown below, and respond to the front-end.
import {
 PutObjectCommand,
 S3Client,
} from '@aws-sdk/client-s3';
import { getSignedUrl } from '@aws-sdk/s3-request-presigner';

const createPresignedUrlWithClient = async ({ region, bucket, key }) => {
 const client = new S3Client({
   region,
   credentials: {
     accessKeyId: 'your access key id',
     secretAccessKey: 'your secret key id',
   },
 });
 const command = new PutObjectCommand({ Bucket: bucket, Key: key });
 return await getSignedUrl(client, command, { expiresIn: 36000 });
};

const presignedUrl = await createPresignedUrlWithClient({
 region: 'ap-southeast-1',
 bucket: 'your-bucket-name',
 key: 'example.txt',
});
  1. The front-end receives the response and performs a PUT request to upload the file directly to the S3 bucket.
<!-- wp:table -->
<figure class="wp-block-table"><table><tbody><tr><td><strong>const</strong> putToPresignedUrl = (presignedUrl) =&gt; {<br>&nbsp; <strong>const</strong> data = 'Hello World!';<br>&nbsp; axios.put(presignedUrl, data);<br>};</td></tr></tbody></table></figure>
<!-- /wp:table -->
Object in S3 after upload with presigned URL
Object in S3 after upload
Content of the object
Content of the object

An example of a presigned URL: 

https://presignedurldemo.s3.ap-southeast-1.amazonaws.com/example.txt?X-Amz-Algorithm=AWS4-HMAC-SHA256&amp;X-Amz-Content-Sha256=UNSIGNED-PAYLOAD&amp;X-Amz-Credential=AKIAUPMYNICO4HMDKONH%2F20250101%2Fap-southeast-1%2Fs3%2Faws4_request&amp;X-Amz-Date=20250101T021742Z&amp;X-Amz-Expires=36000&amp;X-Amz-Signature=9f29f0f34a19c9e9748eb2fc197138d4345e0124746f99ad56e27e08886fa01a&amp;X-Amz-SignedHeaders=host&amp;x-amz-checksum-crc32=AAAAAA%3D%3D&amp;x-amz-sdk-checksum-algorithm=CRC32&amp;x-id=PutObject

Among them, there are query parameters that are required for S3 to determine whether the upload operation is allowed.

Query parameterDescription
X-Amz-AlgorithmThe signing algorithm used. Typically AWS4-HMAC-SHA256
X-Amz-CredentialA string that includes the access key ID and the scope of the request. Format: <AccessKey>/<Date>/<Region>/s3/aws4_request. It helps AWS identify the credentials used to sign the request.
X-Amz-DateThe timestamp (in UTC) when the URL was generated. Format: YYYYMMDD’T’HHMMSS’Z’.
X-Amz-ExpiresThe number of seconds before the URL expires (e.g., 3600 for one hour). After this time, the URL becomes invalid.
X-Amz-SignedHeadersA list of headers that are included in the signature. Commonly just host, but can include content-type, etc., if specified during signing.
X-Amz-SignatureThe actual cryptographic signature ensures that the request has not been tampered with and proves that the sender has valid credentials.

Now that you know how to generate a presigned URL, let’s examine some limitations you should consider.

Limitations of Using S3 Presigned URLs

  1. 5GB Upload Limit: 5GB per-request upload limit in S3, with no easy way to increase it
  2. URL Management Overhead: A unique URL must be generated for every upload, increasing code complexity and backend logic.
  3. Risk of Unintended Access: Anyone with the URL can upload until it expires. There’s no built-in user validation.
  4. Client-Side Upload Issues: Client-side uploads can cause data inconsistency if an error occurs mid-upload.

See more:

Conclusion

You have learned another way to upload objects to S3 directly without requiring public access to your S3 bucket. Please choose the method that best fits your use case.

References:

AWS (no date) Uploading objects – Amazon Simple Storage Service, AWS. Available at: https://docs.aws.amazon.com/AmazonS3/latest/userguide/upload-objects.html (Accessed: 19 May 2025). 

AWS (no date b) Uploading objects with presigned URLs – Amazon Simple Storage Service, AWS. Available at: https://docs.aws.amazon.com/AmazonS3/latest/userguide/PresignedUrlUploadObject.html (Accessed: 19 May 2025).

Related Blog

Our success stories

+0

    SupremeTech and OTTclouds will attend Vietnam ICTCOMM 2025

    SupremeTech is thrilled to announce that we, alongside our OTTclouds solution, will be showcasing at Vietnam ICTCOMM 2025 in Ho Chi Minh City from June 12 to June 14, 2025. As a leading ISO-certified Agile software development company, SupremeTech aims to connect with industry pioneers and technology enthusiasts, demonstrating how FAST Channel and OTT Streaming solutions of OTTclouds can transform digital media delivery.  Attendees will have the opportunity to engage with our experts, explore a live demo of OTTclouds, and learn about our innovative approach to custom software and Agile methodologies. SupremeTech and OTTclouds at Vietnam ICTCOMM We are excited to reveal that SupremeTech and our flagship product, OTTclouds, will participate in Vietnam ICTCOMM 2025. This pivotal event is one of Southeast Asia’s premier platforms for telecommunications, IT, and communication technologies. Our presence underscores our commitment to innovation, partnership, and driving progress in the digital media landscape. Attending ICTCOMM allows us to share our vision for the future of streaming and showcase the robust capabilities of OTTclouds, which include FAST Channel and end-to-end OTT Streaming services tailored for broadcasters, media companies, content owners and enterprises. About Vietnam ICTCOMM 2025 Vietnam ICTCOMM is an international exhibition focused on products and services related to telecommunications, information technology, and communications. ICTCOMM 2025 will occur on 12-14 June at the Saigon Exhibition and Convention Center (SECC) in Ho Chi Minh City. Vietnam ICTCOMM is a strategic platform for telecommunication businesses to connect, collaborate, and promote their brands and services. The exhibition emphasizes emerging AI, IoT, 5G, cybersecurity, big data, and broadcast media trends. By bringing together government agencies, corporate executives, startups, academics, investors, and media professionals, ICTCOMM fosters valuable networking opportunities and highlights technologies shaping the future of communication. Why We’re Joining – SupremeTech’s Mission At SupremeTech, we aim to deliver secure, high-quality software solutions that drive business transformation. Founded in 2020, we have expanded to over 170 employees and worked with trusted clients across Japan, the US, and Australia. Through Agile and Scrum methodologies, we accelerate product delivery while maintaining rigorous quality control. We view ICTCOMM 2025 as an essential opportunity to forge new partnerships, exchange insights with both local and global industry leaders, and illustrate how our custom software development, OTT Streaming platforms, and HR Tech services can solve specific customer needs. Meet OTTclouds – Powering the Future of Video Streaming OTTclouds is SupremeTech’s comprehensive solution for digital media delivery, offering both FAST (Free Ad-Supported Streaming TV) channels and OTT Streaming services. Designed for broadcasters, content providers, and enterprises, OTTclouds enables: White Label OTT Streaming Applications: Launch your custom-branded OTT applications and CMS access to manage content and apps within days. Apps are available on web, iOS, Android and Android TV.FAST Channel: Create advanced HLS playout including EPG, Graphics Setup, Fallback, Ad breaks. Other advanced features include SCTE-35, Live Event Switch, Encoding, and Transcoding, among others.Monetization Flexibility: Ad-supported (AVOD) and subscription-based (SVOD), and transaction-based (TVOD) models to optimize revenue streams.Cross-Platform Compatibility: Seamless delivery across web, mobile, smart TVs, and connected devices.OTTclouds CMS: End-to-end CMS for content, user and app management, and analytics dashboards for real-time insights. Several media companies have leveraged OTTclouds to expand their audience reach, streamline content workflows, and increase engagement, demonstrating ROI through improved user retention and advertising revenue. >>> See more: User Experience in FAST vs. AVOD: A Comprehensive Comparison What to Expect at Our Booth Interactive Demos Visitors to our booth at ICTCOMM 2025 (Booth V9, Hall A) can experience live demonstrations of the OTTclouds platform. Our team will walk attendees through FAST Channel setup, OTT app configuration, and real-time analytics usage. Attendees can interact with sample dashboards and learn how to manage content libraries, schedule playlists, and optimize ad placements. Industry Insights Sharing We will share case studies from e-commerce, retail, and healthcare industries, illustrating how SupremeTech tailors solutions to meet each client’s unique requirements. Networking Opportunities Engage with our leadership team to explore partnership opportunities, joint ventures, and potential integrations. We welcome discussions with broadcasters, telecom operators, and digital media agencies eager to adopt streaming technologies. Let’s Connect! We invite all current and prospective clients, technology partners, and media professionals to visit our booth V9 at Vietnam ICTCOMM 2025. Please contact us to schedule a meeting in advance.  Whether you’re exploring enhanced streaming solutions, seeking Agile software expertise, or looking to collaborate on groundbreaking projects, our team is here to help. We look forward to meeting you at Vietnam ICTCOMM from June 12–14, 2025. Let’s unlock new possibilities together! If you are interested in attending any panel discussions or breakout sessions featuring SupremeTech representatives, we’ll share details on our social media channels leading up to the event. Follow us on LinkedIn and Facebook for the latest updates.

    22/05/2025

    78

    Ngan Phan

    Our success stories

    +0

      SupremeTech and OTTclouds will attend Vietnam ICTCOMM 2025

      22/05/2025

      78

      Ngan Phan

      Our culture

      +0

        From Unpaid Trial to the Top: The Inspiring Rise to Vice President

        Many at SupremeTech may have already heard the inspiring journey from an unpaid trial to the Vice President of Mr. Nguyen Huu The Vi, now our Vice President. During his appointment ceremony, Mr. Truong Dinh Hoang, our Chairman, recalled the first time he met Mr. Vi at his interview years ago. From a candidate who once offered to work for free during his trial period, he has risen to Vice President—an incredible journey marked by perseverance, dedication, and growth. Today, let's meet Mr. Vi and listen to his unforgettable experiences! Opportunities Aren’t Given – They’re Created from Within - Can you recall your first interview day? Of course! That day, the interviewer asked in-depth questions about a framework I wasn’t very experienced with. I knew I could handle it if I had time to study. But I didn’t perform as well as I wanted during the interview. Even though I didn’t get an immediate response, I was very interested in the discussion and eager to take on challenges. When Mr. Toan walked me out, I said: "Please hire me! I am willing to work for free during the trial period. If I can’t do it, I will leave on my own." Of course, I was paid during the trial period. SupremeTech never asked me to work for free. But at that moment, my words weren’t just a proposal but a commitment to myself. A Fast Learner with a Growth Mindset: Overcoming Early Challenges - How did you feel during your trial period? I only worked one month in my two-month trial period. In the second month, I had health issues and had to be hospitalized. - That’s surprising! How did you pass the trial period with only one month? From the very beginning, I jumped straight into work. During this time, I realized why I didn’t perform well in my interview—not just because of my technical knowledge, but also my understanding of teamwork and processes. Once I figured that out, I was able to improve and prove my abilities. One of my strengths is my ability to focus. This strength helped me learn quickly, whether researching or adapting to new things. I constantly ask 'Why?' to understand the root cause of problems instead of just looking at the surface. If something was unclear, I immediately asked questions to clarify before starting my work. - Did being proactive help you succeed? Being proactive is essential, but more than that, the ability to learn is key. Always observe, analyze, research, and learn from leaders, colleagues, and younger team members. Continuous learning is the only way to keep up and not fall behind. Why Great Teams Matter More Than Great Individuals - Some say that one talented person cannot make a strong team. What do you think? I completely agree. A strong team is not just a group of talented individuals – it’s a team that supports and grows together with a win-win mindset. Imagine an organization as a box. The people inside are the driving force. Their impact remains limited if they stay still, no matter how skilled they are. But if each person continuously moves, innovates, shares knowledge, and supports one another, the box will expand, allowing the organization to grow further. - Was there a turning point in your career? When I joined the company, I noticed that the Front-end team was still young. Previously, the company only had a Web team that included both Front-end and Back-end. I took the initiative to analyze the situation and propose solutions to the team manager. Instead of just listening, the manager encouraged me to present my ideas to the company members. I had never spoken in front of a big audience before, but I stepped up and challenged myself. I still keep the slides from that presentation as a milestone in my journey. After that, I got the chance to train interns. I embraced this responsibility, continuously learning and growing alongside my teammates. Another key moment was my first project after becoming a full-time employee. That project faced major challenges with complex, slow APIs, causing delays and stress for the PM. Instead of waiting, I discussed with the Front-end leader, gathered the team, analyzed the problem, and found a solution. Once we developed a solid plan, I presented it to the PM. Our approach fixed the issues and received great feedback from the client. This experience taught me the importance of responsibility, proactiveness, and teamwork – all essential elements of a strong team. - Have you ever felt your teammates weren’t good enough and wished they could work faster or better? Everyone has their strengths. Instead of complaining, we should help each other improve. When the team strengthens, work becomes smoother, and everyone can go further together. Giving Honest Feedback to Grow Together as a Team - Are you a straightforward person at work? Yes, very! If there’s an issue, I address it. But what matters most is how we communicate – feedback should help us improve, not criticize. (Laughs) I always believe, "Don't judge people; evaluate the problem." When receiving feedback, we should be open-minded because no one is perfect. Only by facing reality, listening, and improving can we move forward. Fearlessly Meeting Challenges Head-On - What helped you rise from a trial employee to Vice President? It has been a long journey filled with challenges. But one thing I always believe in is continuous learning. The company's "Continuous Learning" core value has guided me throughout my career. I learn from people, work, and even my mistakes. But learning alone isn’t enough – action is key. I always ask myself: "What more can I do?" A job without challenges becomes boring. Challenges push us to grow. Stepping up, facing difficulties, and setting new goals keeps my passion alive. I take the initiative to tackle problems that haven’t been solved yet. I observe the organization’s needs, listen to concerns, research, analyze, and act. Only by doing can we see the bigger picture, understand strengths and weaknesses, and decide the next step. - Any advice for young professionals starting their careers? Just do it – give your best effort! Keep your enthusiasm in everything you do. Most importantly, never stop learning – learn from colleagues, seniors, and even juniors. Every experience, big or small, holds value. The question is whether you are ready to embrace and turn it into your strength. Mr. Vi’s story from an unpaid trial to Vice President is more than career growth—it truly reflects the SupremeTech-er spirit. From proactively taking his first opportunity to persistently learning and improving himself, he embodies commitment and responsibility in his work. He strives for his own success and supports his teammates, creating an environment for collective growth. With honesty and openness, he faces challenges, listens to feedback, and continuously improves. Most importantly, he never stops learning because his growth journey never ends. The company’s core values are not just present in his work but are deeply ingrained in every step and decision. And that’s what makes his journey truly inspiring. Fascinating. Thank you, Mr. Vi, for sharing your inspiring story from an unpaid trial to Vice President with us! >>> Read more: From Seeking The Path to Leading The Way: Phuoc’s Journey at SupremeTech

        10/05/2025

        145

        Our culture

        +0

          From Unpaid Trial to the Top: The Inspiring Rise to Vice President

          10/05/2025

          145

          Our success stories

          +0

            OTTclouds Wins Sao Khue Award 2025 – A Proud Moment for SupremeTech

            We’re thrilled to share an exciting milestone in SupremeTech’s journey! Our flagship product, OTTclouds, has officially been honored with the Sao Khue Award 2025, one of Vietnam’s most prestigious awards in the software and IT industry.  This recognition marks a proud moment for our entire team and highlights the innovation, dedication, and impact behind OTTclouds — our all-in-one cloud-based platform for OTT, FAST channel, and VOD streaming. As we celebrate this achievement, we’re also looking ahead to new opportunities to expand our reach and support the digital transformation of the media industry both in Vietnam and around the world. SupremeTech – Building Innovative Digital Solutions SupremeTech is a software company based in Da Nang, Vietnam, delivering tailor-made digital solutions to clients worldwide. Our team excels in a wide range of services, including web and mobile application development, AI and data engineering, cloud infrastructure and DevOps, quality assurance and software testing, as well as providing dedicated development teams for long-term collaboration. One of our primary products is OTTclouds – a comprehensive solution for streaming video content over the internet. This platform has enabled media companies to launch services quickly and scale efficiently. And now, OTTclouds has been honored with one of the most respected tech awards in Vietnam. What is OTTclouds? OTTclouds is an all-in-one FAST channel and OTT streaming solution that helps businesses deliver video content online. It includes services for: Streaming FAST channels (Free Ad-Supported TV)Video on Demand (VOD)Content management system (CMS)User and subscription managementAdvertising integrationCross-device support (Smart TVs, mobile apps, web)Analytics to track viewer behavior and platform performance OTTclouds helps content owners reduce costs, speed up time-to-market, and scale their services easily. It’s ideal for media companies seeking to deliver high-quality streaming without incurring the expense of building expensive infrastructure. From Global Projects to the Local Market Since its launch, OTTclouds has been utilized in numerous international projects, enabling media businesses to deliver content to audiences worldwide. Our platform helps clients: Save money on servers and hardware.Launch new streaming services faster.Reach users across many platforms.Grow their systems in tandem with their audience's growth. Now, we’re ready to bring OTTclouds to more businesses in Vietnam. As the demand for online content continues to rise, local broadcasters, publishers, and content creators are seeking new ways to engage with their viewers. OTTclouds is here to help them do that with a modern, flexible, and easy-to-use solution. Why the Sao Khue Award Matters Winning the Sao Khue Award 2025 is a proud and meaningful achievement for both OTTclouds and the entire SupremeTech team. More than just a prestigious award, this recognition is a clear validation that our hard work is creating real impact and value for the media and broadcasting industry. Presented by VINASA (Vietnam Software and IT Services Association), the Sao Khue Award is one of the highest honors in Vietnam’s technology sector. Each year, it highlights the most innovative and high-performing software products in the country, and OTTclouds was selected in the category of New Software Products and Solutions for its flexibility, scalability, and practical benefits to the media industry. This milestone reinforces our commitment to developing future-ready, cloud-based solutions that meet the evolving needs of content providers. It also provides us with a strong foundation to build greater trust with new clients, expand our presence in Vietnam and Southeast Asia, and continue to improve our product to serve a wider network of partners. We are deeply grateful to the judging committee for this recognition and sincerely thank all our clients and partners who have supported and believed in us along the way. Ready to Build Your Streaming Platform? If you’re looking to launch an OTT or FAST channel service or want to enhance your current video streaming system, OTTclouds is ready to support you. Learn more about OTT Streaming Solution and contact us for a demo or consultation. Let’s build the future of digital broadcasting — together.

            22/04/2025

            167

            Our success stories

            +0

              OTTclouds Wins Sao Khue Award 2025 – A Proud Moment for SupremeTech

              22/04/2025

              167

              Our culture

              +0

                From Seeking The Path to Leading The Way: Phuoc’s Journey at SupremeTech

                Are you curious how someone with no IT background made a bold leap into tech and ended up leading a team? Starting with no formal IT background, Phuoc took a leap of faith into the world of Infrastructure at SupremeTech. What began as a fresh start during the pandemic has become an inspiring tech career journey from entry-level newcomer to the leader of our Infrastructure team. In this inspiring interview, Phuoc shares the lessons learned, the power of making mistakes, and how embracing challenges helped shape his career in tech. First Impressions That Last Hi Phuoc! What was your first impression when you joined SupremeTech?I still remember my first day at SupremeTech. What impressed me most… was the smell of a brand-new office! (laughs)It might sound funny, but that paint smell felt comforting. It reminded me of my first job after graduation, working at a new construction site—filled with excitement, hope, and anticipation. Whenever I catch that same scent, it brings back the feeling of a fresh start. From Tourism to Tech: A Career Switch Sparked by Fate We heard you used to work in the tourism industry. What made you switch to IT?Yes, I worked as an admin in the tourism sector. Shifting careers felt like fate. Honestly, it might sound silly, but I chose SupremeTech mainly because they offered a MacBook! (laughs).At the time, I was looking to change my career to IT Infrastructure and had passed interviews at two companies. But when I discovered SupremeTech would provide a MacBook, I was so excited I couldn’t say no.Back then, I felt like a blank sheet of paper. Starting in a completely new field was a huge challenge. But thanks to the support from my teammates, I slowly adapted and began to grow. Starting During COVID: Remote Work and Early Struggles Changing industries isn’t easy. What was the toughest challenge for you?I joined SupremeTech during the COVID pandemic, so the biggest challenge was starting remotely. I didn’t know anyone, and everything was done over Google Meet. Building connections, understanding the work, or communicating effectively was hard. When we finally returned to the office, I was so happy to meet my teammates, mentors, and colleagues in person. That’s when my real learning journey began.One of the most memorable challenges? Making mistakes. I’ve never been afraid of being wrong—in fact, I enjoy it. I made many mistakes initially, but each one taught me something. Most of them happened because I didn’t think far enough ahead. Over time, I learned to be more thoughtful and less overconfident. Lessons from Mistakes: Learning the Hard Way How did you manage to get through those mistakes?Mistakes are valuable lessons. Now, I even create small “traps” in internship assignments based on the mistakes I once made. It helps them encounter real problems and learn through hands-on experience. You remember things better when you figure them out yourself, rather than just reading about them. After every project, our team writes a retrospective report noting what could have been done better. One mistake equals one lifelong lesson. Facing Challenges with a Grateful Mindset You talk a lot about challenges—what does that word mean to you?To me, challenges are a kind of “fate”. They don’t just happen by chance. You have to find a way to overcome them when they show up.They might feel overwhelming at the moment, but when I look back, I feel grateful—even thankful for the people who gave me those challenges. Every company has its problems. What matters is how you deal with them and what you learn along the way. From Fresher to Team Leader: A Role Earned Through Action You’re a team leader now. How did that role come to you?Honestly, I didn’t expect to become a leader so soon. But I’ve never been the type to wait around for task assignment. At the associate level, I tried to help interns and share my experience. I focused on building strong communication and genuine connections.As a mentor, I always try to lead by example. So when I was promoted, I already felt ready. When you sincerely help others, good things naturally come your way. A Culture of Calm and Growth What’s something special about the work environment at SupremeTech?SupremeTech has a very peaceful work environment. There’s no office politics or unnecessary drama. It’s a safe and supportive place where people can grow. But that doesn’t mean the work is easy. During projects, it can feel like going into battle. Everyone has to stay sharp and take ownership to solve problems. It’s an outstanding balance—our culture is kind, but our work ethic is fierce. That reflects SupremeTech's core values: be kind in life and embrace Passion and Challenge at work. Words of Advice for Young IT Professionals What would you say to young people just starting their careers in IT?Make mistakes while you still can. Don’t be afraid to be wrong. You’ll learn more from your errors than from any books.Don’t be afraid to try. Don’t avoid difficult things, especially if you want to grow beyond your comfort zone. Looking Back: Any Regrets? Looking back at your tech career journey, do you have any regrets?Not at all. Every step I’ve taken has been worth it. Skills are essential, but the environment shapes who you become. I love investigating new problems and finding solutions. My curiosity has given me more experiences than most people at my level haven’t had, which helps me grow every day. Final thought Thank you, Phuoc, for sharing your honest and inspiring story. We wish you continued passion, positivity, and success on your tech career journey with SupremeTech!

                11/04/2025

                224

                Our culture

                +0

                  From Seeking The Path to Leading The Way: Phuoc’s Journey at SupremeTech

                  11/04/2025

                  224

                  Customize software background

                  Want to customize a software for your business?

                  Meet with us! Schedule a meeting with us!