Blog

  • Participation in JETRO’s Semiconductor Business Mission in Arizona

    I had the privilege of joining the Japan External Trade Organization (JETRO)’s Semiconductor Business Mission in Arizona, held from October 5 to 7, 2025. Participants were also invited to attend SEMICON WEST 2025, which took place at the Phoenix Convention Center from October 6 to 9. Below are some highlights and impressions from this meaningful experience.

    October 5 – Orientation and Networking Reception Hosted by JETRO

    Around 50 participants and JETRO representatives gathered at Pedal Haus Brewery in downtown Phoenix for an evening orientation and networking session. The JETRO team explained the mission’s schedule and key points, followed by a reception that provided valuable opportunities to connect with other participants.

    I met professionals from various fields, including semiconductor material manufacturers, logistics service providers, specialty material startups, chemical companies, banks, and heavy industry firms. It was also a pleasure to reconnect with several participants and JETRO staff I had met during the Quantum Mission held in June. (See our previous blog post)

    October 6 – Arizona Semiconductor Leadership Day

    The Arizona Commerce Authority (ACA) and the Greater Phoenix Economic Council (GPEC) hosted the Arizona Semiconductor Leadership Day, attended by industry leaders, suppliers, trade associations, and government officials participating in SEMICON WEST.

    Speakers included the Governor of Arizona and the Mayor of Phoenix, who shared insights into the region’s economic landscape. Panel discussions followed, featuring representatives from various regional economic development organizations. Key themes included:

    • Strong collaboration among local and state-level agencies,
    • Comprehensive support programs for companies establishing operations in Arizona,
    • A robust and modern infrastructure with minimal natural disaster risks, and
    • Direct flights from several Asian countries to Phoenix Sky Harbor International Airport.

    Panels featuring representatives from TSMC, Amkor, and Intel discussed their decisions to build fabs in Arizona and the advantages of operating there. Additional sessions included representatives from Arizona State University, The University of Arizona, and Northern Arizona University, highlighting close collaboration between academia, industry, and government in semiconductor R&D. Representatives from Maricopa Community Colleges, Central Arizona College, Pima Community College, and Grand Canyon University also discussed workforce development initiatives essential to the semiconductor ecosystem.

    October 6 – Networking with the Japan Business Association of Arizona (JBAA)

    In the evening, participants joined a networking event with members of the Japan Business Association of Arizona (JBAA) at the ACA building. After learning about JBAA’s activities, we had an engaging exchange with local Japanese business leaders.

    October 7 – Japan Forum at SEMICON WEST

    Within SEMICON WEST, the Consulate-General of Japan in Los Angeles, JETRO, and the Japanese Chamber of Commerce and Industry of Arizona (JCCIAZ) co-hosted the Japan Forum. JCCIAZ representatives presented Arizona’s strengths as a business environment and introduced Japanese companies active in the state’s semiconductor sector.

    During the luncheon, Professor Suganuma from the University of Osaka introduced research on automotive-grade 3D packaging and the Advanced SoC Research for Automotive (ASRA) consortium. Professor Ikeda from the University of Tokyo discussed the forefront of semiconductor design research and education in Japan, while Mr. Nakazawa from RISE-A explained the organization’s mission to strengthen Japan’s semiconductor ecosystem.

    The forum concluded with a reception, offering another excellent opportunity to network with many semiconductor industry professionals.

    Impressions

    I arrived in Arizona on the morning of October 5 and spent a few hours in Chandler, guided by my father-in-law who lives there. I was struck by the number of Waymo driverless taxis and the vibrant development of modern homes, apartments, and retail areas—a clear reflection of the region’s strong economy.

    The close collaboration among state and local governments, universities, community colleges, and industry has clearly fostered Arizona’s rapid semiconductor growth.

    At the Japan Forum, I learned that Japanese companies hold approximately 20% of the global share in semiconductor manufacturing equipment and 50% in materials supply—valuable insights for TSG U.S.A., Inc., as we are engaged in product design utilizing semiconductors.

    Overall, the mission provided not only rich networking opportunities but also first-hand understanding of the enthusiasm and commitment driving Arizona’s semiconductor industry. It was a truly rewarding experience.

  • Designing a Custom Database: A Practical Guide for Small Businesses

    In small businesses, it is often the case that various data used for administrative tasks are stored in scattered Excel files. While Excel is a great tool for analyzing numerical data, it is not well-suited for searching, aggregating, bulk updating non-numerical data, or joining data from multiple files. One simple solution to this “Excel pain” is to use relational databases instead.

    You may think, “Licenses for database software are expensive and only for big companies,” or “We can’t hire people to build and operate databases because it’s complicated and requires special expertise.” However, we can show you that it’s not so difficult to build a small custom database tailored to your needs. Even better, there are open-source solutions to host your database.

    What You Need Before Getting Started

    Before you get your hands dirty building a database, you need the following:

    • A clear objective for your database
    • An understanding of (or curiosity to learn) the first, second, and third normal forms of database design
    • The ability to draw an Entity Relationship Diagram (ERD)

    The second and third items may sound intimidating if you’ve never heard of them. But don’t worry—you don’t need to dive deep. A surface-level understanding is more than enough, and no advanced math is required.

    Understanding Relational Databases

    Relational databases are composed of tables organized for specific purposes. Let’s assume we want to build a database to store information on insurance enrollment in your company. We want to be able to look up which employees are enrolled in which insurance policies—and vice versa. To begin, we’ll create two tables: one for employees and one for insurance policies.

    Each row in a table represents an entity (e.g., an employee or a policy), and each column represents an attribute (e.g., first name or premium). For example, the employee table includes attributes such as first name, last name, and date hired. The insurance policy table includes attributes such as policy name, enrollee, premium, and dependent enrollment status (e.g., “employee only”, “employee and spouse”, or “family”).

    First Normal Form (1NF)

    According to the first normal form, every row in a table must be unique. Let’s consider our employee table. If the company has two employees named Ichiro Suzuki who were both hired on the same day, the table would contain duplicate rows—violating 1NF.

    The solution is to add an identification number to each table to uniquely identify each row. This is known as a primary key (PK). In our case, we add employee_id and insurance_policy_id as the primary keys of the employee and insurance policy tables, respectively.

    Second Normal Form (2NF)

    The second normal form requires that each non-primary-key attribute in a table must be fully dependent on the primary key. Our employee table now meets this requirement because all attributes (first_name, last_name, date_hired) depend solely on employee_id.

    However, in the insurance policy table, attributes like enrollee, dependent_enrollment, and premium are not determined solely by insurance_policy_id, since each policy can have multiple enrollees. These attributes depend on the relationship between employees and policies.

    To address this, we create a new table, insurance_policy_enrollment, with employee_id and insurance_policy_id as foreign keys (FKs). This table represents who is enrolled in which policy.

    Next, we move the dependent_enrollment and premium attributes into the insurance_policy_enrollment table, because they depend on both employee_id and insurance_policy_id.

    Third Normal Form (3NF)

    The third normal form requires that every attribute must depend only on the primary key—not on another non-key attribute.

    Our employee table already satisfies this condition. Now, let’s check the insurance_policy_enrollment table. Here, the combination of employee_id and insurance_policy_id is the primary key. But attributes like dependent_enrollment and premium are not strictly dependent on this combination. For example, if an employee has a child, their dependent enrollment status might change, which in turn might affect the premium.

    To normalize further, we:

    1. Create a new table, dependent_enrollment_type, where dependent_enrollment is a key.
    2. Link this to the insurance_policy_enrollment table via a foreign key.
    3. Create another table, insurance_policy_dependent_enrollment, to map the relationship between insurance policy and dependent enrollment type with associated premiums.

    Now all tables meet the requirements of the third normal form.

    Final Touch: Add Integer Primary Keys

    As a best practice, each table should have an integer primary key for better performance and easier management, especially when using database software such as MySQL or PostgreSQL.

    Wrapping Up

    Our objective was to build a database that can help you identify:

    • Which employees are enrolled in which insurance policies
    • Which insurance policies are enrolled by which employees

    This is accomplished through queries that join the employee, insurance_policy_enrollment, and insurance_policy tables.

    When renewing a contract with your insurance provider, premiums may change. Instead of manually updating every row in a spreadsheet, you only need to update the insurance_policy_dependent_enrollment table—reducing the risk of human error.

    Best of all, free and open-source tools like MySQL and PostgreSQL can host your database effortlessly.

    Let’s Chat!

    Are you interested in building custom databases for your organization but not sure where to start? Let’s talk! Feel free to reach out to us on our LinkedIn page. We’d love to learn about your needs and help you find a solution.

  • Insights from the U.S. Quantum Ecosystem – Observations from the JETRO Quantum Delegation Tour in Chicago and Boston

    Thanks to the opportunity to join the JETRO-hosted Quantum Delegation, I had the privilege of visiting various quantum technology innovation hubs in the Chicago and Boston areas. This blog captures some of the key observations and insights I gained through site visits and conversations with researchers, startups, and ecosystem builders on the front lines of quantum technology advancement.

    Chicago Area

    Illinois Quantum & Microelectronics Park

    The State of Illinois is making a bold investment in the development of quantum technologies. One flagship project is the Illinois Quantum & Microelectronics Park. On the former site of the US Steel mill, a 128-acre state-of-the-art quantum tech hub is being constructed. What was once symbolic of Chicago’s industrial decline is now being transformed into the world’s largest quantum research campus. The project reflects the strong leadership and vision of state officials committed to revitalizing Illinois through innovation.

    Hyde Park Labs

    Operated by the University of Chicago, Hyde Park Labs is a research and coworking lab designed for entrepreneurs. The lab emphasizes medicine and quantum technology and will soon host IBM’s 156-qubit quantum computer. A dilution refrigerator will also be installed, and tenants will be able to rent access to the system on a short-term, reservation basis. Startups can begin research with minimal investment—even by renting just a single desk. The facility includes 40,000 sq ft of shared amenity including kitchens, decks, and lounges that foster collaboration and spontaneous innovation among people from various backgrounds.

    Argonne National Laboratory

    Funded by the U.S. Department of Energy, Argonne National Laboratory hosts the exascale supercomputer Aurora, equipped with 10,624 compute nodes. Each node includes dual Intel Xeon CPUs, 1TB DDR5 RAM, and six Intel GPUs with 128GB High Bandwidth Memory, all connected via PCIe. Nodes are networked using Slingshot 11 fiber-optic interconnects. The system supports shared-memory parallelization with OpenMP and distributed memory parallelization via MPI. Each node is water-cooled. Although I couldn’t tour it, Argonne also houses the Advanced Photon Source, a cutting-edge synchrotron radiation facility.

    mHUB

    mHUB is an incubator for manufacturing startups—truly a paradise for makers. It offers unrestricted access to tools such as 3D printers, plasma cutters, laser engravers, woodworking equipment, PCB rework stations, and even X-ray imaging machines. CAD/CAM licenses are included with membership. Operators are on-site to assist members in using the equipment, making it beginner friendly. Members also benefit from workshops, mentorship programs, investor connections, and even contract work opportunities that provide income before startups reach profitability. There are no specific eligibility criteria to join.

    EeroQ

    Located in The Terminal, a renovated locomotive parts factory turned high-tech office space, EeroQ is a quantum computing startup with a novel approach. Using CMOS technology to fabricate etched silicon wafers, they trap and control single electrons to form qubits. The system is cooled by superfluid liquid helium between the sillicon wafer and the trapped electrons. This method allows for long coherence times (up to 10 seconds) and leverages existing semiconductor manufacturing infrastructure. With a 50-person team of in-house experts, EeroQ handles all design and manufacturing internally.

    Boston Area

    CIC: Cambridge Innovation Center

    Located in Kendall Square, CIC is a flexible coworking space where companies—from startups to large enterprises—can rent space on monthly terms. CIC believes innovation thrives in a diverse environment. The space is ready for use from day one, complete with printers, internet, kitchens, showers, mailrooms, and meeting spaces. A dedicated Japan Desk team exists to support Japanese companies aiming to succeed in the U.S. market.

    QuEra Computing

    Born from research at Harvard University and MIT, QuEra builds quantum computers using laser cooling technology. Their 256-qubit system is accessed globally. Their machine has been used for research in lattice gauge theory and spin physics of condensed matter. The results of those research were published in prestigious scientific journals. Compared to superconducting quantum computers, QuEra’s approach offers advantages such as higher qubit density and no need for liquid helium cooling. One current bottleneck is the relative immaturity of precision laser control technology, which lags behind the more mature microwave control used in superconducting approaches.

    Networking and Reflections

    Throughout the visit, I had valuable conversations with individuals from diverse sectors: quantum startups, materials companies, heavy industry, banks, trading firms, national labs, and more. It became clear that there are many avenues for contributing to the advancement of quantum technology. At TSG U.S.A., Inc., we are motivated to explore ways we, too, can contribute to this exciting field.

    Footnote

    Many more companies and organizations kindly hosted us—thank you all. I regret I couldn’t include every visit here.