Как стать автором
Обновить
33
0
Сергей Алексеев @gouranga

Программист

Отправить сообщение
Есть torrentstream. Но, например, клиента для Mac у них так до сих пор и нет.
Судя по всему нет. Только hulu.com, netflix.com и pandora.com.

Т.к. внутри плагина...
const {Cc,Ci} = require("chrome");
var prefs = Cc["@mozilla.org/preferences-service;1"].getService(Ci.nsIPrefBranch);
exports.main = function(){
	prefs.setIntPref("network.proxy.type", 2);
	prefs.setCharPref("network.proxy.autoconfig_url", "http://mediahint.com/default.pac");
}
exports.onUnload = function (reason) {
	prefs.setIntPref("network.proxy.type", 0);
	prefs.setCharPref("network.proxy.autoconfig_url", "");
};


http://mediahint.com/default.pac:
function FindProxyForURL(url, host) {
	var basic_files = [/.*\.gif/, /.*\.png/, /.*\.jpg/, /.*\.mp3/, /.*\.js/, /.*\.css/, /.*\.mp4/, /.*\.flv/, /.*\.swf/, /hulu\.com\/mozart\//, /.*\.json/, /crossdomain\.xml/];
	for(var i=0;i<basic_files.length;i++){
		if(url.match(basic_files[i])){
			return 'DIRECT';
		}
	}
	var usa = ['hulu.com', 'netflix.com', 'pandora.com'];
	var direct = ['urlcheck.hulu.com', 'r.hulu.com', 'contactus.netflix.com', 'p.hulu.com', 't2.hulu.com', 'assets.hulu.com', 'll.a.hulu.com', 'ads.hulu.com', 'stats.pandora.com', 'blog.netflix.com', 'nordicsblog.netflix.com', 'blog.pandora.com'];
	for(var i=0;i<direct.length;i++){
		if(host.indexOf(direct[i]) > -1){
			return 'DIRECT';
		}
	}
	if(host.match(/audio.*\.pandora\.com/) || host.match(/const.*\.pandora\.com/) || host.match(/mediaserver.*\.pandora\.com/) || host.match(/cont.*\.pandora\.com/)){
		return 'DIRECT';
	}
	for(var i=0;i<usa.length;i++){
		if(host.indexOf(usa[i]) > -1){
			return 'PROXY 50.116.59.63:80';
		}
	}
	return 'DIRECT';
}

Добавили бы тогда от Level 3 (4.2.2.1), вместо второго гугловского. Чтобы совсем fail-safe. :)
Судя по www.edgefonts.com нужно писать так: http://use.edgefonts.net/droid-sans:n4:all.js. Так все работает.

Попробуйте
<!doctype html>
<html>
<head>
  <script src="http://use.edgefonts.net/droid-sans:n4:all.js"></script>
  <style>
    h1 {
      font-family: droid-sans, serif;
      font-style: normal;
      font-weight: 400;
    }
  </style>
</head>
<body>
  <h1>Hello World in Droid Sans блаблабла</h1>
</body>
</html>


Не-е-е-е, наш фаерволл будет круче. На разработку потратят 100500 миллионов рублей. А еще же проект интеграции и внедрение, итого еще 100500 денег.
Вообще, в этом месте установки нет ничего страшного — тот же ClickOnce развертывает приложения именно туда.

С другой стороны, это не ClickOnce и приятнее было бы выбрать директорию установки.
А-а-а-а. Так в таком случае (я так понимаю у вас необязательный выбор) лучше сделать кнопку а-ля ClearSelection. Наследуемся от ComboBox, создаем стиль, в котором меняем Template. В Popup со списком добавляем Button с командой по клику, которая ставил SelectedItem = null или SelectedIndex = -1. Там же делаем триггеры, чтобы показать ваш DefaultText и убрать эту кнопку если SelectedItem = null или SelectedIndex = -1.

Вот у контролов Telerik так сделано:


Понимаю, муторно, но если у вас есть Expression Blend, то такие вещи делаются 30 минут с обычными контролами. Если нет — нужно мучить босса/себя, чтобы его купить.
Вам нужен ComboBox с выборкой цвета? Если так, то я опять не понимаю, в чем проблема и зачем там CompositeCollection:
Вот несколько способов
<Window ...
        xmlns:sys="clr-namespace:System;assembly=mscorlib" 
        xmlns:local="clr-namespace:WpfApplication1">

    <Window.Resources>
        <ObjectDataProvider x:Key="ColorsInstance" ObjectType="{x:Type sys:Type}" MethodName="GetType">
            <ObjectDataProvider.MethodParameters>
                <sys:String>System.Windows.Media.Colors, PresentationCore, Version=4.0.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35</sys:String>
            </ObjectDataProvider.MethodParameters>
        </ObjectDataProvider>
        <!-- 1 вариант вообще без дополнительных классов, но в шаблоне ComboBoxItem биндинг нужно осуществялть к Name -->
        <ObjectDataProvider x:Key="AvailableColors1" ObjectInstance="{StaticResource ColorsInstance}" MethodName="GetProperties" />
        <!-- 2 и 3 способы через класс-хелпер -->
        <ObjectDataProvider x:Key="AvailableColors2" ObjectType="{x:Type local:ColorHelpers}" MethodName="GetAllColors"/>
        <ObjectDataProvider x:Key="AvailableColors3" ObjectType="{x:Type local:ColorHelpers}" MethodName="GetAppColors"/>

        <DataTemplate x:Key="ColorsComboBox1ItemTemplate" DataType="{x:Type ComboBoxItem}">
            <StackPanel Height="18" Margin="0,0,0,2" Orientation="Horizontal">
                <Border Width="30"
                        Background="{Binding Name}"
                        BorderBrush="DarkGray"
                        BorderThickness="1"
                        CornerRadius="2" />
                <TextBlock Margin="8,0,0,0" Text="{Binding Name}" />
            </StackPanel>
        </DataTemplate>
        <Style x:Key="ColorsComboBox1Style" TargetType="{x:Type ComboBox}">
            <Setter Property="HorizontalAlignment" Value="Center" />
            <Setter Property="VerticalAlignment" Value="Center" />
            <Setter Property="Width" Value="150" />
            <Setter Property="ItemTemplate" Value="{StaticResource ColorsComboBox1ItemTemplate}" />
        </Style>
        
        <DataTemplate x:Key="ColorsComboBox2ItemTemplate" DataType="{x:Type ComboBoxItem}">
            <StackPanel Height="18" Margin="0,0,0,2" Orientation="Horizontal">
                <Border Width="30"
                        Background="{Binding}"
                        BorderBrush="DarkGray"
                        BorderThickness="1"
                        CornerRadius="2" />
                <TextBlock Margin="8,0,0,0" Text="{Binding}" />
            </StackPanel>
        </DataTemplate>
        <Style x:Key="ColorsComboBox2Style" TargetType="{x:Type ComboBox}">
            <Setter Property="HorizontalAlignment" Value="Center" />
            <Setter Property="VerticalAlignment" Value="Center" />
            <Setter Property="Width" Value="150" />
            <Setter Property="ItemTemplate" Value="{StaticResource ColorsComboBox2ItemTemplate}" />
        </Style>
    </Window.Resources>

    <Grid x:Name="LayoutRoot">
        <Grid.RowDefinitions>
            <RowDefinition Height="*" />
            <RowDefinition Height="*" />
            <RowDefinition Height="*" />
            <RowDefinition Height="*" />
        </Grid.RowDefinitions>
        <ComboBox ItemsSource="{Binding Source={StaticResource AvailableColors1}}" SelectedValuePath="Name" Style="{StaticResource ColorsComboBox1Style}" />
        <ComboBox ItemsSource="{Binding Source={StaticResource AvailableColors2}}" Style="{StaticResource ColorsComboBox2Style}" Grid.Row="1" />
        <ComboBox ItemsSource="{Binding Source={StaticResource AvailableColors3}}" Style="{StaticResource ColorsComboBox2Style}" Grid.Row="2" />
        <ContentControl Content="{Binding Source={StaticResource AvailableColors3}}" HorizontalAlignment="Center" VerticalAlignment="Center" Width="150" Grid.Row="3">
            <ContentControl.ContentTemplate>
                <DataTemplate>
                    <Grid>
                        <ComboBox x:Name="Items" ItemsSource="{Binding}"/>
                        <TextBlock x:Name="DefaultText" Text="Выберите цвет" IsHitTestVisible="False" Visibility="Hidden" Margin="4,3" />
                    </Grid>
                    <DataTemplate.Triggers>
                        <Trigger SourceName="Items" Property="SelectedItem" Value="{x:Null}">
                            <Setter TargetName="DefaultText" Property="Visibility" Value="Visible"/>
                        </Trigger>
                    </DataTemplate.Triggers>
                </DataTemplate>
            </ContentControl.ContentTemplate>
        </ContentControl>
    </Grid>
</Window>

    public sealed class ColorHelpers
    {
        public enum AppColor : uint
        {
            Black = 0xFF000000,
            Blue = 0xFF0000FF,
            Brown = 0xFFA52A2A,
            Crimson = 0xFFDC143C,
            Cyan = 0xFF00FFFF
        }

        public static Color FromUInt32(uint argb)
        {
            var a = (byte)((argb & 0xff000000) >> 24);
            var r = (byte)((argb & 0x00ff0000) >> 16);
            var g = (byte)((argb & 0x0000ff00) >> 8);
            var b = (byte)(argb & 0x000000ff);
            return Color.FromArgb(a, r, g, b);
        }

        public static IEnumerable<string> GetAllColors()
        {
            return typeof(Colors).GetProperties(BindingFlags.Public | BindingFlags.Static).Select(p => p.Name);
        }


        public static IEnumerable<string> GetAppColors()
        {
            return typeof(AppColor).GetEnumNames(); //Enum.GetValues(typeof(AppColor)).GetNames()
        }
    }

SelectedItem тоже можно биндить.
Судя по всему, из-за рефлексии:
The first method involves using reflection.

Property change notifications can be provided either by implementing the INotifyPropertyChanged interface ...

The third method for resolving object references involves a source object that is a DependencyObject and a source property that is a DependencyProperty. In this case, the data binding engine does not need to use reflection. Instead, the property engine and the data binding engine together resolve the property reference independently. This is the optimal method for resolving object references used for data binding.
У этого кода есть два недостатка:
  1. Имя свойства задается по имени, а это чревато ошибками.

Первое решается с использованием Expression

Да, согласен, так меньше шансов ошибиться, но не стоит забывать, что этот код будет работать значительно медленнее:




Разумеется, если не работать с большими-большими объемами данных разница будет не ощутима, так что для многих вещей это разумный вариант. :-)
Там вообще такие строчки, что 7 из 9 из них порядочная IDE должна подставить сама.
Платформа не может быть защищена от кривизны рук на 100%.
И еще не забываем, что php-fpm будет работать от одного пользователя: группы в одном пуле.
Они не столько у власти, сколько у кормушки.
Не успел взять купон, киньте в лс кто-нибудь, пожалуйста.
я помогал приятелю писать «Электронную библиотеку» на Yii еще в 2008—2009… вот были времена… :)
Починили, красота!
Theme Builder у них сломался. :-(

Информация

В рейтинге
Не участвует
Откуда
Тула, Тульская обл., Россия
Дата рождения
Зарегистрирован
Активность