Tuesday, March 14, 2017

voice reading RSS feeds with Python

Here is a small Python script that can read arbitrary RSS feed and later read it to you by voice. As an example I have RSS feeds from two websites: yandex.ru and news.ycombinator.com loaded in Russian and English language respectively.
#!/usr/bin/python
# -*- coding: UTF-8 -*-
from time import gmtime, strftime
import locale
import feedparser
from gtts import gTTS
from time import sleep
import os
import pyglet
pyglet.lib.load_library('avbin')
pyglet.have_avbin=True
def read_text(text):
tts = gTTS(text=text, lang='ru')
filename = 'tmp_32654269357_temp.mp3'
tts.save(filename)
music = pyglet.media.load(filename, streaming=False)
music.play()
sleep(music.duration)
os.remove(filename)
def run_intro():
intro_time = strftime("%A, %d %b %H:%M", gmtime())
intro_text = 'Привет, я ридер RSS. Сейчас'
read_text(intro_text)
read_text(intro_time)
class Reader(object):
'class for reading RSS-feeds'
def __init__(self, rss_path, title, lang='ru'):
self.lang = lang
self.rss_path = rss_path
self.title = title
#print self.__dict__
def get_feed(self):
d = feedparser.parse(self.rss_path)
return d['entries']
def read(self, itemsLength=5):
self.read_text(self.title)
sleep(2)
f = self.get_feed()
for i, item in enumerate(f):
if (i <= itemsLength):
real_number = (i+1)
str = '%s - %s' % (real_number, item['title'])
print str
self.read_text('%s -' % real_number)
sleep(0.3)
self.read_text(item['title'])
sleep(1)
def read_text(self, text):
tts = gTTS(text=text, lang=self.lang)
filename = 'tmp_32654269357_temp.mp3'
tts.save(filename)
music = pyglet.media.load(filename, streaming=False)
music.play()
sleep(music.duration)
os.remove(filename)
# ///////////////////////////////
locale.setlocale(locale.LC_TIME, 'ru_RU')
#run_intro()
#sleep(2)
yn = Reader('https://news.yandex.ru/index.rss', 'Новости топа Яндекс')
yn.read(10)
sleep(2)
hn = Reader('https://news.ycombinator.com/rss', 'Hackernews top', 'en')
hn.read(20)
It has following dependencies: gTTS (google text to speach module, core function) also pyglet and feedparser.

Friday, March 3, 2017

Правила разработки компонетов Vue

Недавно решил перевести хорошую подборку советов по тому как лучше писать компоненты Vue.js чтобы потом ими было удобно пользоваться. если выкинуть framework-specific то подходит к любому компонентно-ориентированному фреймворку (Angular2, Angular + 1.6, ReactJS, Polymer) да и к любому модульному коду вообще.

  • Модульная разработка
  • Наименование копонентов vue
  • Выражения в компонентах должны быть простыми
  • Оставляйте свойства простыми
  • Правильно используйте свойства компонента
  • Определяйте this как component
  • Структура компонента
  • Именование событий
  • Избегайте this.$parent
  • Используйте this.$refs осторожно
  • Используйте ограниченные стили
  • Документируйте API компонента
  • Добавляйте демо
  • Форматируйте код файлов

Исходный репозиторий (en)

Репозиторий с переводом

Перевод еще в процессе, осталось 4 жирных пункта.
05.03.2017 UPD Все закончил, автор исходного репо смерджил мой текст.

Thursday, January 26, 2017

Vuejs components catalogues

Every library that's going big deserves a plugins/tools/components listing. You know probably ngmodules.org for Angular or react.rocks for react folks, right?
I've collected the ones on Vue.js below:
https://vuecomponents.com/
For searching - 4 of 5, live search that provides all package detals repository stats
If you want to add a plugin it's even easier - website uses Github API so you just pick the relevant repos from you accounts(s).



Vuescript.com aims to offer latest free Vue.js components for web application developers. Compare to totally automated previous item, this was slightly more catalogue-like UI and some personal touch - about, contact us etc.



https://madewithvuejs.com/

Large portal all about Vue.js. Has a rich plugins section also take a look at UI components there.

https://github.com/vuejs/awesome-vue
Semi-official hand crafted awesome list all what's cool in vue.js ecosystem.


To add several more, I've overlooked:



Do you know any other popular listings of vue-related plugins and tools?
Let me know in the comment or in twitter @legkoletat!

    

Thursday, January 19, 2017

vue.js essential community links


When staring with using new technology or library you first have to clarify the basic concepts. When you master whose you're diving into practice and then it's always handy to see what's you colleagues do or do in is similar cases. Below are some links on the community activities that a starter could follow to better master Vue.js:

Tuesday, January 10, 2017

vue.js plugins

Recently I've spent some time with vue.js framework. I've been tweeting about it a lot, plus developed several small functional plugins/app for it.

vue.js content scroll progress plugin

Top bar indicating amount of content scrolled
https://github.com/shershen08/vuejs-content-scroll-progress
Install: npm install vue-content-scroll-progress --save

vue.js lorem ipsum

Lorem ipsum text generator component for vue.js
https://github.com/shershen08/vue-lorem-ipsum
Install: npm install vue-lorem-ipsum --save


vue.js sound player

HTML5 <audio> tag sound player UI for Vue.js v2
https://github.com/shershen08/vuejs-sound-player

Install: npm install vue-audio --save

vue.js CRUD app

Demo app with router

Sunday, December 25, 2016

Strategy and Factory patterns in Typescript

I've recently read the dzone article Design Patterns: The Strategy and Factory Patterns which gives clean example of how design patterns such as Strategy and Factory patterns can improve code structure in every day programming tasks.
I've converted the JAVA syntax used in the article to Typescript, to see how close are the language constructs in those two. Here's the gist with the code:

// see article with examples in JAVA here: https://dzone.com/articles/design-patterns-the-strategy-and-factory-patterns
// example for educational purposes shownig close and mature syntax of modern TypeScript
enum AccountTypes {CURRENT, SAVINGS, HIGH_ROLLER_MONEY_MARKET, STANDARD_MONEY_MARKET}
////////////////////////////////////////
/// the interface that is used by the strategy
////////////////////////////////////////
interface InterestCalculationStrategy {
calculateInterest(accountBalance:Number):Number;
}
////////////////////////////////////////
/// Null object implementation and 4 account type related calculation stategies
////////////////////////////////////////
class NoInterestCalculation implements InterestCalculationStrategy {
calculateInterest(accountBalance:Number):Number {
return 0;
}
}
class CurrentAccountInterestCalculation implements InterestCalculationStrategy {
calculateInterest(accountBalance:Number):Number {
return +accountBalance * (0.02 / 12);
}
}
class SavingsAccountInterestCalculation implements InterestCalculationStrategy {
calculateInterest(accountBalance:Number):Number {
return +accountBalance * (0.04 / 12);
}
}
class MoneyMarketInterestCalculation implements InterestCalculationStrategy {
calculateInterest(accountBalance:Number):Number {
return +accountBalance * (0.06/12);
}
}
class HighRollerMoneyMarketInterestCalculation implements InterestCalculationStrategy {
calculateInterest(accountBalance:Number):Number {
return accountBalance < 100000.00 ? 0 : (+accountBalance) * (0.075/12)
}
}
////////////////////////////////////////
/// select and apply the correct strategy
////////////////////////////////////////
class InterestCalculationStrategyFactory {
//Strategies for calculating interest.
private currentAccountInterestCalculationStrategy:InterestCalculationStrategy = new CurrentAccountInterestCalculation();
private savingsAccountInterestCalculationStrategy:InterestCalculationStrategy = new SavingsAccountInterestCalculation();
private moneyMarketAccountInterestCalculationStrategy:InterestCalculationStrategy = new MoneyMarketInterestCalculation();
private highRollerMoneyMarketAccountInterestCalculationStrategy:InterestCalculationStrategy = new HighRollerMoneyMarketInterestCalculation();
private noInterestCalculationStrategy:InterestCalculationStrategy = new NoInterestCalculation();
public getInterestCalculationStrategy(accountType:AccountTypes):InterestCalculationStrategy {
switch (accountType) {
case AccountTypes.CURRENT: return this.currentAccountInterestCalculationStrategy;
case AccountTypes.SAVINGS: return this.savingsAccountInterestCalculationStrategy;
case AccountTypes.STANDARD_MONEY_MARKET: return this.moneyMarketAccountInterestCalculationStrategy;
case AccountTypes.HIGH_ROLLER_MONEY_MARKET: return this.highRollerMoneyMarketAccountInterestCalculationStrategy;
default: return this.noInterestCalculationStrategy;
}
}
}