>>> a = b'\xd1\x88\xd0\xbd\xd0\xbe\n'
>>> a
b'\xd1\x88\xd0\xbd\xd0\xbe\n'
>>> a.decode('utf-8')
'шно\n'
>>> a.split(b'\xd0')
[b'\xd1\x88', b'\xbd', b'\xbe\n']
>>>
Архивы автора: 1 1
Установка SSH-сервера в Windows 10
Всё делается в PowerShell с повышенными привилегиями:
Windows PowerShell
(C) Корпорация Майкрософт (Microsoft Corporation). Все права защищены.
Попробуйте новую кроссплатформенную оболочку PowerShell (https://aka.ms/pscore6) PS C:\Windows\system32> Get-WindowsCapability -Online | Where-Object Name -like 'OpenSSH*'
Name : OpenSSH.Client~~~~0.0.1.0
State : Installed
Name : OpenSSH.Server~~~~0.0.1.0
State : NotPresent
PS C:\Windows\system32> Add-WindowsCapability -Online -Name OpenSSH.Server~~~~0.0.1.0
Path :
Online : True
RestartNeeded : False
PS C:\Windows\system32> Start-Service sshd
PS C:\Windows\system32> Set-Service -Name sshd -StartupType 'Automatic'
PS C:\Windows\system32> Get-NetFirewallRule -Name "OpenSSH-Server-In-TCP" -ErrorAction SilentlyContinue | Select-Object Name, Enabled
Name Enabled
---- -------
OpenSSH-Server-In-TCP True
PS C:\Windows\system32>
Предупреждаю, устанавливаться может довольно долго.
После завершения установки на такой компьютер можно подключаться с других:
ssh username@compname
Открытие json-файлов pymatgen через nglview в Jupyter Notebook
Будем считать, что Python 3 и Jupyter Notebook уже установлены.
Открываем командную строку (на примере Ubuntu) и по очереди вводим команды:
python3 -m pip install nglview
python3 -m pip install pymatgen
python3 -m pip install ase
jupyter-nbextension enable nglview --py
jupyter notebook
Мне этого хватило, чтоб всё заработало. Теперь переходим в браузер в Jupyter, создаём новый ноутбук, в котором выполняем следующий код:
# Visualize pymatgen's structure with NGLView https://gist.github.com/lan496/3f60b6474750a6fd2b4237e820fbfea4 https://pymatgen.org/pymatgen.core.structure.html
import nglview
from pymatgen.core import Structure, Lattice
import numpy as np
# https://github.com/pyiron/pyiron/blob/9ba4f1efa57b286d69ee2cdb6b865782eda755f5/pyiron/atomistics/structure/_visualize.py
def plot3d(structure, spacefill=True, show_axes=True):
from itertools import product
from pymatgen.core import Structure
from pymatgen.core.sites import PeriodicSite
eps = 1e-8
sites = []
for site in structure:
species = site.species
frac_coords = np.remainder(site.frac_coords, 1)
for jimage in product([0, 1 - eps], repeat=3):
new_frac_coords = frac_coords + np.array(jimage)
if np.all(new_frac_coords < 1 + eps):
new_site = PeriodicSite(species=species, coords=new_frac_coords, lattice=structure.lattice)
sites.append(new_site)
structure_display = Structure.from_sites(sites)
view = nglview.show_pymatgen(structure_display)
view.add_unitcell()
if spacefill:
view.add_spacefill(radius_type='vdw', radius=0.5, color_scheme='element')
view.remove_ball_and_stick()
else:
view.add_ball_and_stick()
if show_axes:
view.shape.add_arrow([-4, -4, -4], [0, -4, -4], [1, 0, 0], 0.5, "x-axis")
view.shape.add_arrow([-4, -4, -4], [-4, 0, -4], [0, 1, 0], 0.5, "y-axis")
view.shape.add_arrow([-4, -4, -4], [-4, -4, 0], [0, 0, 1], 0.5, "z-axis")
view.camera = "perspective"
return view
# А здесь запускаем просмотр выбранного файла
plot3d(
Structure.from_file(
"IDAO-2022-main/data/dichalcogenides_public/structures/6141cf13cc0e69a0cf28ab3b.json"
),
spacefill=True
)
В результате должен открыться просмотрщик молекулы nglview. Всё можно крутить, вертеть, увеличивать и т.д.
Всем удачи!
Orange3
Orange3 — крутая бесплатная программа для анализа данных. Можно установить как модуль питона:
$ python3 -m pip install orange3
Запускается так:
$ python3 -m Orange.canvas
CMD: замена команды touch для windows
В windows нет команды touch, поэтому нашёл такое решение:
type nul >> test.txt
Если файла небыло, то появится, если был, то содержимое должно остаться прежним. Кто знает варианты лучше — пишите в комментариях.
Python ping
Модуль называется ping3
Установка модуля ping3:
$ python3 -m pip install ping3
Collecting ping3
Downloading ping3-3.0.2-py3-none-any.whl (12 kB)
Installing collected packages: ping3
Successfully installed ping3-3.0.2
Как пользоваться:
>>> ping("192.168.1.1")
0.00391697883605957
Как пропинговать подсеть:
>>> for i in range(1, 5):
... ip = f"192.168.1.{i}"
... for j in range(3):
... print(f"{ip}: {ping(ip)}")
...
192.168.1.1: None
192.168.1.1: 0.11145853996276855
192.168.1.1: 0.008517742156982422
192.168.1.2: None
192.168.1.2: None
192.168.1.2: None
192.168.1.3: None
192.168.1.3: 0.6436576843261719
192.168.1.3: 0.004034757614135742
192.168.1.4: 0.00033211708068847656
192.168.1.4: 0.00026726722717285156
192.168.1.4: 0.00026297569274902344
192.168.1.5: None
192.168.1.5: None
192.168.1.5: None
Как указать таймаут:
>>> ping("habr.com", timeout=5)
>>> ping("habr.com", timeout=1)
>>> ping("ya.ru", timeout=1)
0.035222530364990234
>>>
Ещё несколько примеров из документации:
pip install ping3 # install ping
>>> from ping3 import ping, verbose_ping
>>> ping('example.com') # Returns delay in seconds.
0.215697261510079666
>>> verbose_ping('example.com') # Ping 4 times in a row.
ping 'example.com' ... 215ms
ping 'example.com' ... 216ms
ping 'example.com' ... 219ms
ping 'example.com' ... 217ms
$ ping3 example.com # Verbose ping.
ping 'example.com' ... 215ms
ping 'example.com' ... 216ms
ping 'example.com' ... 219ms
ping 'example.com' ... 217ms
Installation
pip install ping3 # install ping3
pip install --upgrade ping3 # upgrade ping3
pip uninstall ping3 # uninstall ping3
Functions
>>> from ping3 import ping, verbose_ping
>>> ping('example.com') # Returns delay in seconds.
0.215697261510079666
>>> ping('not.exist.com') # If host unknown (cannot resolve), returns False.
False
>>> ping("224.0.0.0") # If timed out (no reply), returns None.
None
>>> ping('example.com', timeout=10) # Set timeout to 10 seconds. Default timeout is 4 for 4 seconds.
0.215697261510079666
>>> ping('example.com', unit='ms') # Returns delay in milliseconds. Default unit is 's' for seconds.
215.9627876281738
>>> ping('example.com', src_addr='192.168.1.15') # Set source ip address for multiple interfaces. Default src_addr is None for no binding.
0.215697261510079666
>>> ping('example.com', interface='eth0') # LINUX ONLY. Set source interface for multiple network interfaces. Default interface is None for no binding.
0.215697261510079666
>>> ping('example.com', ttl=5) # Set packet Time-To-Live to 5. The packet is discarded if it does not reach the target host after 5 jumps. Default ttl is 64.
None
>>> ping('example.com', size=56) # Set ICMP packet payload to 56 bytes. The total ICMP packet size is 8 (header) + 56 (payload) = 64 bytes. Default size is 56.
0.215697261510079666
Python скрипт для чтения голосом необработанных текстовых файлов через festival
Есть программа синтезатор голоса festival, но она очень привередливая к формату того, что её пытаются заставить говорить.
Поэтому набросал скрипт speaker.py, обёртку для festival, который приводит входной текст в относительный порядок. Скрипт использовать так:
cat test.txt | python3 speaker.py
Скрипт читает голосом текст, перенаправленный в него.
Сам скрипт speaker.py:
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Программа для преобразования входного текста в голос
kmsvsr.ru
"""
import sys
import os
def prepare(text):
"""Подготовить текст для передачи в фестиваль"""
text = text.lower()
text = text.replace("&", "- энд -")
text = text.replace("«", "")
text = text.replace("»", "")
text = text.replace("—", "")
text = text.replace(" ", " ")
if text[-len("с англ"):] == "с англ":
text = text.replace("с англ", "с английского")
if text[-len("(англ"):] == "(англ":
text = text.replace("(англ", "(с английского")
text = text.replace("the", "дэ")
text = text.replace("productions", "прод+акшенс")
text = text.replace("track", "трак")
text = text.replace("3do", "3 ди+о, ")
text = text.replace("в 199", "в 1990 ")
text = text.replace("в 20", "в 2000 ")
text = text.replace(" 0 году", "м год+у")
text = text.replace(" 1 году", " первом год+у")
text = text.replace(" 2 году", " втором год+у")
text = text.replace(" 3 году", " третьем год+у")
text = text.replace(" 4 году", " четвёртом год+у")
text = text.replace(" 5 году", " пятом год+у")
text = text.replace(" 6 году", " шестом год+у")
text = text.replace(" 7 году", " седьмом год+у")
text = text.replace(" 8 году", " восьмом год+у")
text = text.replace(" 9 году", " девятом год+у")
text = text.replace(" году", " год+у")
text = text.replace("pioneer", "пионер")
text = text.replace("canada", "кан+ада")
text = text.replace("лятор", "л+ятор")
text = text.replace(" ea ", " е, эй, ")
text = text.replace(" и ", ", и ")
text = text.replace("electronic", "электр+оник")
text = text.replace(" arts", " артс")
text = text.replace("ирован", "+ирован")
text = text.replace("playstation", "плэйст+эйшэн")
text = text.replace("sega", "с+ега")
text = text.replace("saturn", "сат+урн")
text = text.replace("special", "сп+ешиал")
text = text.replace("edition", "эд+ишен")
text = text.replace("отзывы", "+отзывы")
text = text.replace("высокое", "выс+окое")
if text[-len(" ii"):] == " ii":
text = text.replace(" ii", " два")
text = text.replace("speed", "спид")
text = text.replace("сиквел", "с+иквел")
text = text.replace("сведения", "св+едения")
text = text.replace("сериал", "сери+ал")
text = text.replace(" a ", " э ")
text = text.replace("discovery", "диск+авери")
text = text.replace("witches", "в+итчес")
text = text.replace(" of ", " оф ")
text = text.replace("[", ", ")
text = text.replace("]", ", ")
text = text.replace(" ,", ",")
text = text.replace("души", "д+уши")
text = text.replace("дебор", "деб+ор")
text = text.replace("харкнесс", "х+аркнесс")
text = text.replace(" one", " у+ан")
text = text.replace("канал", "кан+ал")
text = text.replace("бря 20", "бря 2000 ")
text = text.replace("противостоя", "противосто+я")
text = text.replace("вампир", "вамп+ир")
text = text.replace("веково", "веков+о")
text = text.replace("warner", "в+орнер")
text = text.replace(" bros", " бр+азерс")
text = text.replace("„", " из ")
text = text.replace("%", " процентов ")
text = text.replace("/", " ")
text = text.replace("“", " ")
text = text.replace("ролях", "рол+ях")
text = text.replace("великобритан", "великобрит+ан")
text = text.replace(" мин", " минут")
text = text.replace(" млн", " милли+онов")
text = text.replace("…", ". ")
text = text.replace(")", ". ")
text = text.replace("[", ", есть ссылка ")
text = text.replace("↑", ", ")
text = text.replace("‘", ", ")
text = text.replace("é", ", ")
text = text.replace(" см.", " смотреть в ")
text = text.replace("®", ", ")
text = text.replace("–", ", ")
text = text.replace("•", ", ")
text = text.replace(":", ", двоеточие, ")
text = text.replace("nasa", "н+аса")
text = text.replace("*", " умножить на ")
text = text.replace("дизайнер", "диз+айнер")
text = text.replace("просмотр", "просм+отр")
text = text.replace("бан", "б+ан")
text = text.replace("симбиоз", "симби+оз")
text = text.replace("хабр", "х+абр")
text = text.replace("итог", "ит+ог")
text = text.replace("аналог", "ан+алог")
text = text.replace("≥", " больше, либо равно ")
text = text.replace(" мгу", " эм гэ у")
text = text.replace("шлеме", "шл+еме")
text = text.replace("космонавт", "космон+авт")
text = text.replace("буран", "бур+ан")
text = text.replace("систем", "сист+ем")
text = text.replace("перенос", "перен+ос")
text = text.replace("→", ", ")
text = text.replace("песоч", "пес+оч")
text = text.replace("правил", "пр+авил")
text = text.replace(" руб.", " рублей ")
text = text.replace("отклик", "+отклик")
text = text.replace("клиент", "кли+ент")
text = text.replace("разработчик", "разраб+отчик")
text = text.replace("базов", "б+азов")
text = text.replace(" слова", " слов+а")
text = text.replace("этап", "эт+ап")
text = text.replace(" 2-ое", " второе")
text = text.replace("pmi", " пи эм ай ")
text = text.replace("снг", "эс эн гэ")
text = text.replace("data", "д+эйта")
text = text.replace("sciense", "сайнс")
text = text.replace("bounce", "баунс")
text = text.replace("китай", "кит+ай")
text = text.replace("сайт", "с+айт")
text = text.replace("wifi", "вай фай ")
text = text.replace("разработ", "разраб+от")
text = text.replace("встраив", "встр+аив")
text = text.replace("php", "пи эйч пи ")
text = text.replace("sql", "эс ку эль ")
text = text.replace("valve", "вальв")
text = text.replace("слеж", "сл+еж")
text = text.replace("любом", "люб+ом")
text = text.replace("ware", "вэйр")
text = text.replace("ight", "айт")
text = text.replace("ine", "айн")
text = text.replace("nginx", "нжин+икс")
text = text.replace("office", "+офис")
text = text.replace("ё", "+ё")
text = text.replace("лямбд", "л+ямбд")
text = text.replace("минпромторг", "минпромт+орг")
text = text.replace("купа", "куп+а")
text = text.replace("шот", "ш+от")
text = text.replace("network", "нетв+орк")
text = text.replace("сервер", "с+ервер")
text = text.replace(">", " больше ")
text = text.replace(" ,", ", ")
text = text.replace("opennet", "оупенн+ет ")
text = text.replace("dns", "диэн+эс ")
text = text.replace("firefox", "файрф+окс")
text = text.replace("отзыва", "отзыв+а")
text = text.replace("erlang", "ерл+анг")
text = text.replace("java ", "дж+ава ")
text = text.replace("javascript", "джаваскр+ипт")
text = text.replace("пользо", "п+ользо")
text = text.replace("технологии", "технол+огии")
text = text.replace("www", "дабл ю дабл ю дабл ю ")
text = text.replace("https://", "эйчтитипи+эс ")
text = text.replace("http://", "эйчтитип+и ")
text = text.replace("·", ", ")
text = text.replace("|", ", ")
text = text.replace("вывоз", "в+ывоз")
text = text.replace("гаджет", "г+аджет")
text = text.replace("машин", "маш+ин")
text = text.replace("ноутбук", "ноутб+ук")
text = text.replace("сетево", "сетев+о")
text = text.replace("картридж", "к!артридж")
text = text.replace("компресс", "компр!есс")
text = text.replace("polaris", "пол+ярис")
text = text.replace("процесс", "проц+есс")
text = text.replace("иговая", "игов+ая")
text = text.replace("мотор", "мот+ор")
text = text.replace("квадрокоп", "квадрок+оп")
text = text.replace("новинк", "нов+инк")
text = text.replace("жестк", "ж+ёстк")
text = text.replace("₽", "рублей")
text = text.replace("варка", "в+арка")
text = text.replace("bloody", "бл+ади")
text = text.replace("ps5", "плэйст+эйшн 5")
text = text.replace("amd", "аэмд+э")
text = text.replace("samsung", "самс+унг")
text = text.replace("philips", "ф+илипс")
text = text.replace("bluetooth", "блют+ус")
text = text.replace("испыта", "испыт+а")
text = text.replace("™", ", ")
text = text.replace("бренд", "бр+енд")
text = text.replace("фон", "ф+он")
text = text.replace("офис", "+офис")
text = text.replace("причем", "прич+ём")
text = text.replace("см.", "смотреть")
text = text.replace("основно", "основн+о")
text = text.replace("windows", "в+индоус")
text = text.replace("дела", "дел+а")
text = text.replace("edge", "эдж")
text = text.replace(" se ", " эсъ+е ")
text = text.replace("store", "стор")
text = text.replace("azure", "+эйжъюр ")
text = text.replace("©", "копирасты ")
text = text.replace("staging", "ст+эйджинг")
text = text.replace("gpl", "джипи+эл")
text = text.replace("дистрибутив", "дистрибут+ив")
text = text.replace("исходны", "исх+одны")
text = text.replace("блокировк", "блокир+овк")
text = text.replace("технологий", "технол+огий")
text = text.replace("origin", "ор+иджин")
text = text.replace("пороч", "пор+оч")
text = text.replace("побежден", "побежд+ён")
text = text.replace("мвд", "эмвэд+э")
text = text.replace("касперск", "касп+ерск")
text = text.replace("названы", "н+азваны")
text = text.replace("биткойн", "битк+ойн")
text = text.replace("биткоин", "битк+ойн")
text = text.replace("тренд", "тр+енд")
text = text.replace("удаленк", "удал+ёнк")
text = text.replace("ddos", "дид+ос")
text = text.replace("бург", "б+ург")
text = text.replace("цифровая", "цифров+ая")
text = text.replace("ритм", "р+итм")
text = text.replace("интернет", "интерн+ет")
text = text.replace("призм", "пр+изм")
text = text.replace("сдел", "сд+ел")
text = text.replace("автоматиза", "автоматиз+а")
text = text.replace("цифрово", "цифров+о")
text = text.replace("пандеми", "пандем+и")
text = text.replace("сектор", "с+ектор")
text = text.replace("замещен", "замещ+ен")
text = text.replace("ssd", "эсэсд+и")
text = text.replace("hdd", "эйчдид+и")
text = text.replace("тариф", "тар+иф")
text = text.replace("морско", "морск+о")
text = text.replace("№", "номер ")
text = text.replace("депутат", "депут+ат")
text = text.replace("вступа", "вступ+а")
text = text.replace("прием ", "при+ём ")
text = text.replace("рубля", "рубл+я")
text = text.replace(" делает", " д+елает")
text = text.replace(" делают", " д+елают")
text = text.replace(" рф", " эр+эф")
text = text.replace("росси", "росс+и")
text = text.replace("спартаке", "спартак+е")
text = text.replace("спартака", "спартак+а")
text = text.replace("финал", "фин+ал")
text = text.replace("футбол", "футб+ол")
text = text.replace("огайо", "ог+айо")
text = text.replace("конго", "к+онго")
text = text.replace("тюмен", "тюм+ен")
text = text.replace("белков", "белк+ов")
text = text.replace("кроссовер", "кросс+овер")
text = text.replace(" it ", " айт+и ")
text = text.replace(" ит-", " айт+и ")
text = text.replace("чане", "ч+ане")
text = text.replace("интерфейс", "интерф+ейс")
text = text.replace("запустим", "зап+устим")
text = text.replace("ходить", "ход+ить")
text = text.replace("’", " ")
text = text.replace("расчет", "расч+ёт")
text = text.replace("_", " ")
text = text.replace("тестировал", "тест+ировал")
text = text.replace("во всем", "во всём")
text = text.replace("удаленно", "удал+ённо")
text = text.replace("digital ", "д+иджитал ")
text = text.replace("nft", "энэф+ти")
text = text.replace("домен", "дом+ен")
text = text.replace("оборон", "обор+он")
text = text.replace("коллектив", "коллект+ив")
text = text.replace("мгу", "эмгэ+у")
text = text.replace("кндр", "каэндэ+эр")
text = text.replace(" тв ", " тэв+э ")
text = text.replace(" tv ", " тив+и ")
text = text.replace("старт", "ст+арт")
text = text.replace("мск", "по моск+овскому вр+емени")
text = text.replace("кабелями", "кабел+ями")
text = text.replace("скоп", "ск+оп")
text = text.replace("бортовой", "бортов+ой")
text = text.replace("на борту", "на борт+у")
text = text.replace("разъем", "разъ+ём")
text = text.replace("четко", "ч+ётко")
text = text.replace("грузил", "груз+ил")
text = text.replace("тормозно", "тормозн+о")
text = text.replace("-", " ")
text = text.replace("дежур", "деж+ур")
text = text.replace("команд", "ком+анд")
text = text.replace("полетами", "пол+ётами")
text = text.replace("км", " километров")
text = text.replace("тормозна", "тормозн+а")
text = text.replace("м/с", " метров в секунду")
text = text.replace("торвальдс", "т+орвальдс")
text = text.replace("правок", "пр+авок")
text = text.replace("сша", "сэшэ+а")
text = text.replace("ссср", "эсэсэс+эр")
text = text.replace("linux", " л+инукс ")
text = text.replace("см.", "смотреть")
text = text.replace("<", " меньше ")
text = text.replace("всмпо", "вэсээмпэ+о")
text = text.replace("институт", "инстит+ут")
text = text.replace("банкрот", "банкр+от")
text = text.replace("титан", "тит+ан")
text = text.replace("европ", "евр+оп")
text = text.replace("тагил", "таг+ил")
text = text.replace("позднее", "поздне+е")
text = text.replace("apple", "эпл")
text = text.replace("disk", "диск")
text = text.replace("скале", "скал+е")
text = text.replace("в виду", "в вид+у")
text = text.replace("игров", "игров+")
text = text.replace("консол", "конс+ол")
text = text.replace("facebook", "фейсб+ук")
text = text.replace("loot", "лут")
text = text.replace("drop", "дроп")
text = text.replace("wolf", "вольф")
text = text.replace("stein", "шт+айн")
text = text.replace("doom", "дум")
text = text.replace("ation", "+эйшен")
text = text.replace("оо", "у")
text = text.replace("this", "дис")
text = text.replace("пробел", "проб+ел")
text = text.replace("синтаксис", "синтаксис")
text = text.replace("python", "п+айтон")
text = text.replace("глобальн", "глоб+альн")
text = text.replace("devops", "дев+опс")
text = text.replace("ладк", "л+адк")
text = text.replace("сначала", "снач+ала")
text = text.replace("сообщест", "со+общест")
text = text.replace("=", " равн+о ")
text = text.replace("пушкин", "п+ушкин")
text = text.replace("послушн", "посл+ушн")
text = text.replace("оспарив", "осп+арив")
text = text.replace("!", ", ")
return text
def speak(text):
"""Сказать текст"""
os.system(
f'echo "{prepare(text)}" | festival --tts --language russian'
)
for line in sys.stdin:
parts = line.split(".")
for part in parts:
part = part.strip()
speak(part)
Исправления слов и ударений можно пополнять по мере необходимости. Кто добавит — можете сюда в коментарии скидывать, пополню.
Установка Festival на ubuntu-подобный Linux: https://kmsvsr.ru/2015/11/04/uchim-kompyuter-govorit-ustanovka-festival-na-ubuntu-podobnyj-linux/
Ubuntu подключение аудиоустройств (колонок) по Bluetooth
Устройство в настройках добавлялось, но не подключалось. Нашёлся такой рецепт:
sudo apt-get install bluez-btsco
После этого минуты через 3 колонка через настройки Bluetooth успешно подключилась и запела.
Решено: Если вдруг перестал работать VPN L2TP под Windows 10
Если случайно у кого-то вдруг на удалёнке в windows 10 перестанет работать VPN, рецепт: в powershell под администратором выполнить:
wusa /uninstall /kb:5009543
дождаться окончания и перезагрузиться, должно помочь.
Python pip установка модулей прямо из программы
from pip._internal import main as pipmain
pipmain([‘install’, ‘package-name’])
или
import pip
failed = pip.main([«install», nameOfPackage])
сам пока не пробовал