Recent Posts

Pages: 1 ... 3 4 [5] 6 7 ... 10
41
DOTween & DOTween Pro / DOGradientColor bug
« Last post by castor on May 15, 2016, 09:52:14 AM »
When I use DOGradientColor to tween material's color, it somehow goes all "wrong" and seems like it is making the alpha to shoot up rocket sky and make the shader to behave in a real strange way.

I am using normal particle/additive shader and using it such way :

colorTween0 = scanMaterial.DOGradientColor(colorGradient, "_TintColor" , 1);

When it goes wrong, I tried to manually assign the color back by using inspector and color picker, and then magically "snaps" back to the better / normal way.

On Unity 5.3.4.p5

I have attached bugged screen shot and the texture source I am using.

It looks like it is almost shooting up the alpha value so high that almost every non zero alpha pixel is lit as 100%

42
DOTween & DOTween Pro / Moving forward in local space.
« Last post by GenPhi on May 14, 2016, 05:39:28 PM »
Hi,

I am having with using DoLocalMoveZ to move forward.  I have a character that I rotate then move forward on the transforms local z axis but it is using world z when I move.  Basically it always moves up 3 on the world z axis but I need it to move up on the transforms z axis. 

Here is an example of what I have.
//swipeUp
transform.parent.DORotate (new Vector3(0,0,0), 1F);
Move();
//swipeDown
transform.parent.DORotate (new Vector3(0,180,0), 1F);
Move();

private void Move()
{
     transform.parent.DOLocalMoveZ(transform.parent.position.z + 3, 1f);
}
43
DOTween & DOTween Pro / Re: Something broke my Dotween Pro Installation
« Last post by boolean0101 on May 13, 2016, 06:21:26 PM »
You might just need to setup DOtween again if you updated the version.

In Unity go to "Tools > DOTween Utility Panel" and then click "Setup DOTween".

I updated to the latest pre-release and got the same error as you, but setting up DOTween again fixed it.
44
DOTween & DOTween Pro / DOMove: Why, oh "Y" is my Y-value decreasing?
« Last post by brianwanamaker on May 13, 2016, 07:04:11 AM »
Apologies for the "dad joke" subject title.

My graph shown on the left should transform into the graph shown on the right. Instead, it transforms to the graph in the middle, which is lower on the y-axis. The graph is constructed from four gameobjects, each one a simple scaled cube with its pivot on its lowest face.




The gameobjects have scaled properly and have moved relative to each other as expected... but they're lower on the y-axis than expected.

I'm using DOTween's DOMove and DOScale to get a visually stacked graph to transform its internal segments. Using a regular transform will also cause similar behavior, so I don't think it's a DOTween specific problem. Commenting out DOScale did not change the unwanted transform behavior.

What am I missing which could cause this y-axis movement?

Thank you in advance for any help or insight!

Code: (CSharp) [Select]
    public override void StartShowData ()
    {
        minimalDist = trad_24_minimal_y - trad_24_minimal.transform.position.y;
        moderateDist = trad_24_moderate_y - trad_24_moderate.transform.position.y;
        severeDist = trad_24_severe_y - trad_24_severe.transform.position.y;
        cripplingDist = trad_24_crippled_y - trad_24_crippled.transform.position.y;

        Debug.Log ("start y: " + trad_24_minimal.transform.position.y + ", to y: " + trad_24_minimal_y + ", totalling " + minimalDist);
        trad_24_minimal.transform.DOMove (new Vector3 (trad_24_minimal.transform.position.x, trad_24_minimal_y, trad_24_minimal.transform.position.z), _transDuration, false);
        trad_24_minimal.transform.DOScaleY (trad_24_minimal_scale, _transDuration);
   
        Debug.Log ("start y: " + trad_24_moderate.transform.position.y + ", to y: " + trad_24_moderate_y + ", totalling " + moderateDist);
        trad_24_moderate.transform.DOMove (new Vector3 (trad_24_moderate.transform.position.x, trad_24_moderate_y, trad_24_moderate.transform.position.z), _transDuration, false);
        trad_24_moderate.transform.DOScaleY (trad_24_moderate_scale, _transDuration);

        Debug.Log ("start y: " + trad_24_severe.transform.position.y + ", to y: " + trad_24_severe_y + ", totalling " + severeDist);
        trad_24_severe.transform.DOMove (new Vector3 (trad_24_severe.transform.position.x, trad_24_severe_y, trad_24_severe.transform.position.z), _transDuration, false);
        trad_24_severe.transform.DOScaleY (trad_24_severe_scale, _transDuration);

        Debug.Log ("start y: " + trad_24_crippled.transform.position.y + ", to y: " + trad_24_crippled_y + ", totalling " + cripplingDist);
        trad_24_crippled.transform.DOMove (new Vector3 (trad_24_crippled.transform.position.x, trad_24_crippled_y, trad_24_crippled.transform.position.z), _transDuration, false);
        trad_24_crippled.transform.DOScaleY (trad_24_crippled_scale, _transDuration);

    }
45
My mistake was not to add .SetRelative(True)

http://dotween.demigiant.com/documentation.php?api=SetRelative

Thanks Daniele for the super quick support !!!
 
46
Hi,
  I use DOOffset() to scroll a Texture, but only the first call succeeds, others don't give errors, but the Texture does not move..

What am I missing... ?

void Spin(int spinNum, Ease ease)
{
        var tween = GetComponent<Renderer>().material.DOOffset(new Vector2(0, 1), 1f);
        tween.SetEase(ease);

        //loop completed:
        tween.OnComplete(() =>
        {
            spinNum--;

            if (spinNum >= 1)
                Spin(spinNum, ease); //next spin loop
           else
                IsSpinning = false; //finished !!
        });
}

I tried with a For loop but with the same result, only the first call get executed, the others seems to be ignored..

IEnumerable Spin(int spinNum, Ease ease)
{
  for (int i = 0; i < spinNum; i++)
  {   
    tween = GetComponent<Renderer>().material.DOOffset(new Vector2(0, 1), 1f);
    tween.SetEase(ease);

    yield return new WaitForSeconds(1f);
  }
}

I shared a complete small demo here:
https://onedrive.live.com/redir?resid=150B61C7D2D5A9BA!471158&authkey=!AFMymBYFnKNhMQw&ithint=file%2c7z


Please help.

Thanks a lot.
David
47
DOTween & DOTween Pro / Re: Something broke my Dotween Pro Installation
« Last post by arico on May 06, 2016, 11:59:17 PM »
It's in Unity 5.3.4f1

Thanks
48
DOTween & DOTween Pro / Something broke my Dotween Pro Installation
« Last post by arico on May 06, 2016, 11:57:57 PM »
Hello,

I was using Dotween Pro in a Project and it worked fine, but suddenly it broke, and shows me an error message.  Is it there a way to make it work like before or an alternate way to specify the same without an error?

Thank you



49
DOTween & DOTween Pro / Noob question
« Last post by ChaosHill on May 05, 2016, 05:50:12 AM »
Hi,

I am somewhat new to DOTween and have been trying to migrate from Unity's animation system to this one.
I have a simple animation sequence that I want to have in my game, it goes as follows:

Code: [Select]
m_MoveLeft = DOTween.Sequence();
        m_MoveLeft.Insert(0.0f, m_PlayerModel.DOScale(new Vector3(1.25f, 0.8f, 1.0f), 0.05f));
        m_MoveLeft.Insert(0.05f, m_PlayerModel.DOScale(new Vector3(1.0f, 1.0f, 1.0f), 0.2f));

        Vector3[] _path = new Vector3[5];
        _path[0] = new Vector3(0.0f, 0.0f, 0.0f);
        _path[1] = new Vector3(-.5f, 0.35f, 0.0f);
        _path[2] = new Vector3(-1.0f, 0.55f, 0.0f);
        _path[3] = new Vector3(-1.5f, 0.35f, 0.0f);
        _path[4] = new Vector3(-2.0f, 0.0f, 0.0f);

        m_MoveLeft.Insert(0.0f, m_PlayerModel.DOPath(_path, 0.5f, PathType.CatmullRom, PathMode.Ignore).SetRelative().SetEase(Ease.Linear));

This works fine if I play it once. But once the animation is done the player is in a different spot and if I try to move left again the sequence restarts from the original position and not the new position. Through research I found out a sequence is like a movie and therefore, static in nature. The points won't change once they are set. And that's exactly the opposite of what I am trying to do.

Now to the questions.
Is there a way to do what I want using sequences? Having changing start and end positions to them?
If not, how can  I accomplish something similar with a Tweener? Should I be chaining callbacks after each tween is done? That does not seem correct at all to me.

Anyway, thanks for taking the time!
50
DOTween & DOTween Pro / попперс зака
« Last post by donorisSak on May 04, 2016, 07:04:13 PM »
попперс заказать по россии
 
На нём выставляется два размера минимальный и максимальная ширина. а также купить в в магазине поперсы спб Говорят очень хороша для кнутодельцев, Но я не пробовал.
Ставрополь телки, Спонсор для девушки в челябинске... где то здесь jungle попперс Наш магазин предлагает самый разнообразный ассортимент рыболовной продукции: спиннинги — это главное оружие рыболова.
Сёла, расположенные в плодородной долине реки, не случайно носят названия Крымская Роза, Цветочное, Ароматное, Курортное. а также с амфетамина попперсом взаимодействие Прогрессивная система оперативности выполнения заказа, изготовление изделий любых розмеров.
Воблеры, блесны и даже уокеры ( видимо уже на падении ) гребут траву, как голландский комайн. и ещё запрет попперсов По суждению китайцев, истинный вкус чая проявляется после Где Купить Настоящий Монастырский Чай От Диабета - Монастырский Желудочный Чай Пропорции Трав или третьей заливки.
Стрижы даже спят на крыльях то есть в полете. здесь купить попперс как Фрида, детка, мне кажется, нам придется что-то предпринять.
Между тем короткие вещи Зощенко лучше, изобретательнее написаны, в них художества больше, чем идеологии. а также попперс и левитра Кстати, сегодня довелось посмотреть-пощупать кнуты разнообразные в том числе и австралийские.
Ну и каждая полоса обсалютно одинаковой формы и толщины. а также попперс лактации в период Логика и рост научного знания: избранные работы.
Незаменимый набор туристической мебели на отдыхе или на даче. и ещё в попперсы y минске Это не только звучные слова, это по сути эффективная и проверенная формула.
Лидокаин является сильным местным анестетиком амидного типа. и вред попперсы здоровья для Сегодня же отметим моё возвращение с удачной охоты и съемок!
Проблемы импотенции у мужчин бывают различными и зависят не только от возраста. где то здесь попперсов амилнитрита и Наши профессионалы собрали здесь отличную базу агентств, которые расположены по всему побережью Испании для того, чтобы вы смогли сделать свой правильный и осознанный выбор.
Щучка реагировала очень бодро, но возможно это связанно с довольно высокой активность ее на тот момент. и ещё кемерово купить попперс Общий анализ крови Он дает возможность подсчитать количество клеток крови, определить уровень гемоглобина и также несколько важных характеристик.
Странно, на мой взгляд Лидия возмущена поведением дамы, которую Вы, вот уже на протяжении длительного времени усиленно защищаете, или Вы "ни за белых", "ни за красных", а за тех кто в данный момент у власти...??? и screw попперс you hard Одновременная стимуляция ануса и вагины может довести женщину до умопомрачительного оргазма.
Если передозировка попперса произошла, необходимо вызвать искусственную рвоту и позвонить в скорую медицинскую помощь. а также fuel попперс colt отзывы Подавляя эти ауторецепторы на пресинаптических норадренергических нейронах, йохимбин содействует повышению уровня норадреналина, т.
Тихонов заставляет вспомнить трактовку футуризма, данную Корнеем Чуковским: не столько будущее, сколько давно прошедшее. а также годности срок попперс Они открывают рот, делают резкое движение жабрами и засасывают воду вместе с приманкой, подобно пылесосу.
Психологи настоятельно рекомендуют использовать товары из сексшопа для того, чтобы разнообразить близость или мастурбацию. и ещё что куриные такое попперсы После трех-четырех таких рывков вершинка далеко отклоняется от первоначального положения, образуя острый угол со шнуром, и делать следующие рывки уже некуда.
Pages: 1 ... 3 4 [5] 6 7 ... 10