Как установить шрифт apple на windows

SF-Windows

All the San Francisco and other Apple Fonts for Windows

Official site: developer.apple.com/fonts/

Tested on Windows 10 — 11 | macOS 10.14 — 15.1

If you encounter any issues, feel free to open a bug report.

font-preview

San Francisco

San Francisco is an Apple designed typeface that provides a consistent, legible, and friendly typographic voice. Across all Apple products, the size-specific outlines and dynamic tracking ensure optimal legibility at every point size and screen resolution. Numbers have proportional widths by default, so they feel harmonious and naturally spaced within the time and data-centric interfaces people use every day.

Nine weights, including italics — and features like small caps, fractions, inferior and superior numerals, indices, arrows, and more — offer breadth and depth for precision typesetting. San Francisco also adapts intelligently to different contexts. When indicating time, for example, the colon in San Francisco switches to a vertically centered form. And each operating system works with the typeface to apply size-specific font features automatically.

SF Pro

This neutral, flexible, sans-serif typeface is the system font for iOS, iPadOS, macOS and tvOS. SF Pro features nine weights, variable optical sizes for optimal legibility, four widths, and includes a rounded variant. SF Pro supports over 150 languages across Latin, Greek, and Cyrillic scripts.

SF Compact

Sharing many features with SF Pro, SF Compact features an efficient, compact design that is optimized for small sizes and narrow columns. SF Compact is the system font for watchOS and includes a rounded variant.

SF Mono

This monospaced variant of San Francisco enables alignment between rows and columns of text, and is used in coding environments like Xcode. SF Mono features six weights and supports Latin, Greek, and Cyrillic scripts.

New York

A companion to San Francisco, this serif typeface is based on essential aspects of historical type styles. New York features six weights, supports Latin, Greek, and Cyrillic scripts, and features variable optical sizes allowing it to perform as a traditional reading face at small sizes and a graphic display face at larger sizes.

SF Script Extensions

Like San Francisco, these extensions to the Apple system font feature nine weights, a rounded variant, and variable optical sizes that automatically adjust spacing and proportion based on the point size.

Each script extension has been designed to fit with SF Pro for multilingual typesetting, while respecting the natural proportions for each script by adjusting weight, contrast, and vertical metrics.

SF Arabic

A contemporary interpretation of the Naskh style with a rational and flexible design.

SF Armenian

Designed with proportions that have been adjusted for a better visual balance in multilingual typesetting.

SF Georgian

Supports modern Georgian, Mkhedruli, and Mtavruli uppercase forms.

SF Hebrew

With full support of the Niqqud diacritical marks.

Last Updated: November 26 2023

Screenshot of Apple's download page for their San Francisco UI display and text fonts, next to a screenshot of an unsuccessful extraction of the compressed font files using 7zip. The word "Uninstallable?!" plastered across the whole image.

Are Apple’s San Francisco fonts uninstallable on a Windows machine?

Excuse the long title, but this drove me absolutely bonkers. Part of creating prototypes that are as realistic as possible is ensuring that you have as close to the actual resources as possible. I was building a Figma prototype the other day on a Windows desktop I have at home and it did take more effort than I liked to setup Apple’s UI fonts. Being an ex-Software Engineer I did find a way, and I hope to help other Designers who may not have the know-how.

Step 1: Download the fonts

Sounds easy enough– after a quick Google I quickly found myself on the official source of Apple’s San Francisco fonts for text and display:

https://developer.apple.com/fonts/

Problem is, the .dmg file is not a native format to Windows. Most Designers and Mac people will recognise this as a standard file format containing applications or plugins for applications. Think of it as a fancy .zip or .rar file.

I followed this guide and similar resources, but to no avail:
https://graphicdesign.stackexchange.com/questions/71470/how-to-use-san-francisco-font-on-windows

I wanted to install as little single-use software as possible, and had no luck extracting using the 7zip utility (refer back to the featured image at the beginning). After some more digging, I actually found and downloaded the fonts from here in a lovely .zip folder:

https://github.com/AppleDesignResources/SanFranciscoFont/issues/1

End of story right? Extract the folder and install the fonts? Nope! Windows 10 throws a fit at some .otf files.

Step 2: Convert your Fonts to Installable Formats

The easy mode is to use an online converter, but I find that online tools like that don’t make it easy to convert multiple files at a time. This is probably to prevent people overloading their systems with huge requests. If you only have one or two fonts, you can probably use one like this:

http://www.freefontconverter.com/

Ain’t as much fun though, is it? Let’s do the techie thing and convert them ourselves!

2a. Install the Windows subsystem for Linux on your machine:
https://www.windowscentral.com/how-install-bash-shell-command-line-windows-10

If you haven’t used it before and are a bit daunted by using terminals, don’t worry I’ll try to make it as clear as possible :wink:. Plus, it’s the Swiss Army Knife of computers. I hooked up my system with Ubuntu as I thought most guides online would be in that format.

2b. Open up a bash terminal once you’re ready. Windows key + “bash.exe” or within the start menu, find the program “bash.exe”.

I found and used this guide to help me:
http://www.stuermer.ch/blog/convert-otf-to-ttf-font-on-ubuntu.html

So, let’s install the fontforge cli (command line interface) tool:

# Just to make sure we have the latest repo info
sudo apt-get update

# Now install fontforge
sudo apt-get install fontforge -y

# Change directory to where you downloaded the fonts.
# Here's where I put mine
cd /mnt/c/Users/Chuck/Downloads/Assets/Fonts/

Since the file systems are quite different on a Windows machine versus a Linux machine, it’ll take a bit of getting used to and wrangling the two worlds to get to where you want to be. If you think of your Local C: drive, that’s just a hard drive device on the computer. Linux typically mounts those devices on the root system under /mnt, so the path above is saying /folder where Linux mounts hard drive and USB drives/the C drive/usual folders....

Back on Windows land, copy paste the script to a new file where you downloaded your fonts and call it otf2ttf.sh. Notepad application is just fine. You could call it anything really, but if you’re charting really unfamiliar territory it’s best to leave the names as is:

#!/usr/local/bin/fontforge
# Quick and dirty hack: converts a font to truetype (.ttf)
Print("Opening "+$1);
Open($1);
Print("Saving "+$1:r+".ttf");
Generate($1:r+".ttf");
Quit(0);

Done? Cool. Make sure it’s executable over in bash land.

# Make that new script file executable
chmod +x otf2ttf.sh

# Lost? Make sure you're in the right directory! Check using pwd command:
charlesr@DESKTOP$ pwd
/mnt/c/Users/Chuck/Downloads/Assets/Fonts

Sweet, now we can do our conversions!

# Test out a single file to make sure it works as expected:
fontforge -script otf2ttf.sh ./SF-Fonts-June19/SF-UI/SF-UI-Display-Black.otf

# Worked? Great! Let's convert them all up
for i in ./SF-Fonts-June19/SF-UI/*.otf; do fontforge -script otf2ttf.sh $i; done

Step 3: Install the Fonts

All that’s left is to install all the fonts! To make this easier, let’s put all the .ttf files in a folder:

# Move to the fonts folder
cd SF-Fonts-June19/SF-UI

# Make a new folder for the ttf
mkdir converted-fonts

# Now move all .ttf files to the new folder
mv *.ttf converted-fonts

# Prove they're there
ls converted-fonts

Highlight all the new .ttf fonts in Windows explorer, right click and install:

Well done; go forth and let your prototyping skills shine!

If you get stuck or want to chat, you can find me on Twitter via @chuckwired or email.

Установка новых шрифтов может значительно расширить возможности вашей операционной системы и придать вашим документам уникальный стиль. В этой статье мы рассмотрим, как установить шрифты на компьютерах под управлением Windows и Mac.

Установка шрифтов в Windows

  1. Скачайте файл шрифта с надежного сайта, такого как наш сайт или Google Fonts.
  2. Откройте папку загрузок и найдите файл шрифта. Распакуйте архив, если это необходимо.
  3. Щелкните правой кнопкой мыши на файле шрифта и выберите «Установить».
  4. Шрифт будет автоматически добавлен в папку «Шрифты» в панели управления Windows.

Если вы хотите установить шрифт для всех пользователей на компьютере, то можете скопировать файл шрифта в папку C:\Windows\Fonts.

Установка шрифтов в Mac

  1. Скачайте файл шрифта с надежного сайта, такого как наш сайт или Google Fonts.
  2. Откройте папку загрузок и найдите файл шрифта. Распакуйте архив, если это необходимо.
  3. Дважды щелкните на файле шрифта. Откроется окно предварительного просмотра шрифта.
  4. Нажмите кнопку «Установить» в правом верхнем углу окна предварительного просмотра.
  5. Шрифт будет автоматически добавлен в библиотеку шрифтов на вашем Mac.

Теперь вы готовы использовать ваши новые шрифты в любых документах на вашем компьютере. Обратите внимание, что некоторые шрифты могут быть платными, поэтому перед их использованием обязательно прочтите лицензионное соглашение.

Если вы хотите настроить параметры шрифтов на Windows, то можете перейти в раздел «Шрифты» в панели управления и выбрать нужную опцию. Например, вы можете отключить сглаживание шрифтов или изменить размер шрифта по умолчанию.А если вы хотите настроить параметры шрифтов на Mac, то можете перейти в раздел «Шрифты» в приложении «НАСТРОЙКИ» и выбрать нужную опцию. Например, вы можете изменить размер шрифта по умолчанию или добавить новый шрифт в библиотеку.

Кроме того, если вы работаете с документами в Microsoft Word, то можете использовать встроенный менеджер шрифтов, который позволит вам просмотреть и установить новые шрифты без необходимости покидать приложение. Откройте вкладку «Шрифты» в меню и выберите нужную опцию.

Если же вы работаете с документами в Google Docs, то можете воспользоваться встроенным менеджером шрифтов, который позволит вам выбрать любой шрифт из библиотеки Google Fonts. Откройте вкладку «Шрифты» в меню и выберите нужную опцию.

Не забывайте экспериментировать с разными шрифтами и их параметрами, чтобы создавать документы, которые будут выглядеть оригинально и стильно. Удачи вам в этом нелегком деле!

Как изменить параметры шрифтов в Windows

Если вы хотите настроить параметры шрифтов на Windows, то можете перейти в раздел «Шрифты» в панели управления и выбрать нужную опцию. Например, вы можете отключить сглаживание шрифтов или изменить размер шрифта по умолчанию.

Чтобы перейти в раздел «Шрифты», нажмите на кнопку «Пуск» в левом нижнем углу экрана и введите в поисковой строке «Шрифты». Выберите соответствующий пункт в списке результатов поиска.

В разделе «Шрифты» вы можете увидеть список всех установленных шрифтов на вашем компьютере. Чтобы изменить параметры шрифта, щелкните на нем правой кнопкой мыши и выберите «Свойства». В открывшемся окне вы сможете изменить параметры шрифта в соответствии с вашими потребностями.

Как изменить параметры шрифтов на Mac

Если вы хотите настроить параметры шрифтов на Mac, то можете перейти в раздел «Шрифты» в приложении «НАСТРОЙКИ» и выбрать нужную опцию. Например, вы можете изменить размер шрифта по умолчанию или добавить новый шрифт в библиотеку.

Чтобы перейти в раздел «Шрифты», нажмите на значок «Apple» в левом верхнем углу экрана и выберите «Настройки системы». Затем выберите «Шрифты» в разделе «Персональные настройки».

В разделе «Шрифты» вы можете увидеть список всех установленных шрифтов на вашем компьютере. Чтобы изменить параметры шрифта, щелкните на нем и выберите нужную опцию в меню.

Надеемся, что эта информация была полезной для вас. Если у вас возникли какие-либо вопросы, не стесняйтесь обращаться к нам за помощью.

Можно долго спорить про отдельные преимущества разных операционных систем, но с некоторыми фактами трудно не согласиться даже самым ожесточённым противникам. Например, ни у кого не вызывает сомнения то, что дизайн операционных систем от Apple гораздо детальнее проработан и является своего рода эталоном для конкурентов. Это же касается и рендеринга шрифтов.

Как заставить шрифты в Windows выглядеть как в Mac OS

Хотя в Microsoft существует и применяется своя система сглаживания под названием ClearType, всё же многие предпочли бы тот метод, который используется в Mac OS. И помогут нам в этом небольшие утилиты Gdipp и MacType.

Gdipp — это открытый проект независимых разработчиков, который направлен на создание альтернативной технологии рендеринга шрифтов в среде Windows. При этом обеспечивается более гладкое и приятное для глаз начертание шрифтов, подобное тому, что мы видим в Mac OS и некоторых дистрибутивах Linux.

https://code.google.com/p/gdipp/

Технология Gdipp поддерживает 32- и 64-битные версии Windows Vista, 7, 8, 8.1. Для тестирования этого способа сглаживания вам необходимо скачать последнюю версию программы с домашнего сайта и установить её как обычное приложение. Следует, однако, иметь в виду, что из-за имеющихся различий со стандартной архитектурой рендеринга Windows отображение шрифтов в некоторых программах может быть некорректным. Про известные проблемы в работе Gdipp и способы их решения вы можете узнать на этой странице.

gdipp

MacType

Эта программа, как и рассмотренная выше Gdipp, имеет в своей основе закрытый ранее проект GDI++. Основная функциональность точно такая же, но есть некоторые дополнительные опции, с помощью которых вы сможете более детально настроить отображение букв.

https://code.google.com/p/mactype/

Установка MacType не отличается от установки любой другой программы в Windows, однако при первом запуске вы увидите японские иероглифы в интерфейсе. Не пугайтесь, в настройках приложения можно переключиться на английский язык. Здесь же вы сможете выбрать один из предустановленных вариантов сглаживания или создать полностью свой, изменяя такие настройки, как тип сглаживания, гамма, контраст, толщина, тень, цветовая температура RGB-сглаживания, углы и так далее.

MacType

Судя по отзывам пользователей, работа программ MacType и Gdipp вызывает довольно неоднозначные оценки. Одним вид новых шрифтов чрезвычайно нравится, другие не видят в них ничего особенного и возвращаются к стандартному ClearType. А каково ваше впечатление?

You are here:
Home » Windows 10 » MacType For Windows 10: Make Windows 10 Fonts Look Like Mac OS

Anyone who has ever used a Mac computer will agree that Mac OS or macOS is a beautiful looking operating system. Especially, texts or fonts in Mac OS or macOS look better compared to the Windows operating system. The fonts appear better on Mac devices as the font smoothing capability is better in Mac OS or macOS.

There is a similar feature called Clear Type in recent versions of Windows, including Windows 10 and 8, to make the text on the screen look sharper, cleaner, and easier to read. The problem is that many users are not aware of this feature (turned on by default in Windows 10) and complain about blurry fonts without even trying out this Clear Type feature to change default settings.

Users who regularly switch between Mac and PC like to make Windows 10 fonts look like macOS/Mac OS. If you ever wanted to get macOS or Mac OS like smooth font rendering in Windows 10 as well, you can do so by installing a small utility called MacType.

MacType has been around for a couple of years now, but the latest version of MacType supports Windows 10 with Anniversary Update as well. Many users were reporting about broken fonts while using MacType on Windows 10 with Anniversary Update but the issue has been resolved now. In short, MacType is fully compatible with Windows 10 with Anniversary Update (version 1607).

macType1

As the name of the program might suggest, MacType aims to bring Mac type beautiful font smoothing to Windows 10. Refer to the given below directions to download, install, and use MacType on Windows 10 and previous versions of Windows OS.

Installing and using MacType on Windows 10

Step 1: Visit this page and download the newest version of the MacType installer.

Step 2: Run the downloaded installer and follow on-screen directions to get it installed. During the installation, we recommend you choose the Complete installation option.

Step 3: Once installed, launch MacType, select language as English.

Step 4: Select Load with MacTray option, check Run as administrator and then click the Next button after confirming that Standalone load mode is selected.

mactype for Windows 10

NOTE: You can also choose other modes depending on your needs.

Step 5: Select the Mac type profile that you would like to load and then click the Finish button.

mactype for Windows 10 pic1

Step 6: When you see the confirmation dialog, click the OK button to apply all changes. That’s it!

Once you have smooth fonts, don’t forget to download the beautiful Mac mouse cursor for Windows 10.

How to get Mac-style mouse pointer in Windows 10 guide might also interest you.

Понравилась статья? Поделить с друзьями:
0 0 голоса
Рейтинг статьи
Подписаться
Уведомить о
guest

0 комментариев
Старые
Новые Популярные
Межтекстовые Отзывы
Посмотреть все комментарии
  • Целостность памяти windows 11 что это
  • Контур маркет касса windows
  • Как установить драйвер для сетевого адаптера windows 7 без интернета на компьютер windows 7
  • Не открываются фотографии на windows 10 нет приложения
  • Программа для просмотра raw изображений для windows 10