Юнити ошибка cs0103

I have a generic class like this:

public class Connection<T> where T: Stream 
{
    protected T _stream;
    protected TcpClient _client;

    public void Connect(){/*Do somthing*/}
    public void Disconnect(){/*Do somthing*/}

    public void Reconnect()
    {
        Disconnect();
        Connect();
    }
}

I use VisualStudio as editor, it has no error but in unity editor console it says:

error CS0103: The name ‘Disconnect’ does not exist in the current context

and

error CS0103: The name ‘Connect’ does not exist in the current context

The line of the error is in the Reconnect() function.

If I remove generic from this class, it hasn’t any error.
Is this a bug or I missed somthing?

asked Dec 25, 2016 at 23:06

M6stafa's user avatar

M6stafaM6stafa

1232 silver badges12 bronze badges

7

I fix it like this:

public abstract class BaseConnection<T>
{
    protected T _stream;
    protected TcpClient _client;

    public abstract void Connect();
    public abstract void Disconnect();
}

public class Connection<T> : BaseConnection<T> 
    where T: Stream 
{
    public override void Connect(){/*Do somthing*/}
    public override void Disconnect(){/*Do somthing*/}

    public void Reconnect()
    {
        Disconnect();
        Connect();
    }
}

answered Jan 4, 2017 at 11:10

M6stafa's user avatar

M6stafaM6stafa

1232 silver badges12 bronze badges

сообщение об ошибке:
5f91cfa10feb2334483924.png
код:

using System;
using System.Collections;
using System.Collections.Generic;
using System.Globalization;
using System.Reflection;
using UnityEngine;
using UnityEngine.UI;

public class BattleController : MonoBehaviour
{
    // Параметры очереди, игрока и противника, а также их отображения
    public int PL_HP = 200;
    public float PL_Magic = 500;
    public int Enemy_HP = 180;
    public float Reduction_of_Magic = 1;
    public Text Enemy_HP_Display;
    public Text PL_HP_Display;
    public Text PL_Magic_Display;
    public bool Bot_Turn = false;
    private static System.Random rnd = new System.Random();
    private int Delay = rnd.Next(0, 3);
    private float Rdn = rdn.Next(1.9, 2.0);
    //очередь компьютера
    void Update()
    {
        if (Bot_Turn = true)
        {
            if (!(Rnd = 1.9))
            {
                PL_HP = PL_HP - 35;
            }
            else
            {
                PL_HP = PL_HP - 20;
            }
        }
    }
    //восстановление магии игрока(закончить позже)
    private void FixedUpdate()
    {
        
    }
    // атаки игрока
    public void PL_Attack1()
    {
        if (Bot_Turn = false & PL_Magic > 20)
        {
            Enemy_HP = Enemy_HP - 25;
            PL_Magic = PL_Magic - 20;
            Bot_Turn = true;
        }
    }
    public void PL_Attack2()
    {
        if (Bot_Turn = false & PL_Magic > 32)
        {
            Enemy_HP = Enemy_HP - 40;
            PL_Magic = PL_Magic - 32;
            Bot_Turn = true;
        }
    }
}

I am fresh to C# (I do programm in other languages) and I got a task to record the position and rotation of an object inside Unity3D game.

I successfully created code that prints in Unity console current position and rotation with set timing (parts of void RecPoint without «lista»), and that at the end it saves all of the position data in one file (void SaveToFile).

What I wanted to do is to create one file for saving both position and rotation at the same time that looks like:

xposition; yposition; zposition; wrotation; xrotation; yrotation; zrotation

xposition; yposition; zposition; wrotation; xrotation; yrotation; zrotation

I wanted to achieve this by creating empty string list at the void Start and then adding position and rotation one step at the time (in void RecPoint). After that I would modify void SaveToFile to save everything simmiliar to what is currently in void SaveToFile.

The problem is that no matter if I use
var lista = new List();

or

lista = new List();

I get the same error CS0103 with the only difference being that when used var lista I don’t get the CS0103 error for this line.

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class ReadData : MonoBehaviour
{
    public string fileName = "D:/position.txt";
    public List<Vector3> positions;
    public List<Quaternion> rotations;

    public float interval = 0.2f;
    public float tSample = 1.0f;


    void Start() {
        positions = new List<Vector3>();
        rotations = new List<Quaternion>();
        var lista = new List<string>();
        InvokeRepeating("RecPoint", tSample, interval);

    }

    void RecPoint()
    {
        positions.Add(transform.position);
        rotations.Add(transform.rotation);
        lista.Add(transform.position.ToString());
        lista.Add(transform.rotation.ToString());
        Debug.Log("position " + transform.position + " rotation " + transform.rotation);
    }

    void SaveToFile(string fileName)
    {
        foreach (Vector3 pos in positions)
        {
            string line = System.String.Format("{0,3:f2};{1,3:f2};{2,3:f2}rn", pos.x, pos.y, pos.z);
            System.IO.File.AppendAllText(fileName, line);
        }



    }

    void Update()
    {
        if (Input.GetKeyDown(KeyCode.O))
        {
            CancelInvoke("RecPoint");
            SaveToFile(fileName);
            Debug.Log("Koniec czytania danych, zapisuję do pliku");
        }
    }
}

>Solution :

Well the problem is that you did not define the List «lista» anywhere.

Declare like so : public List<string> lista;
And then in Start() do : lista = new List<string>();

You can compress all of this into one line when declaring, like so : public List<string> lista = new List<string>();

Hope it helped!

Вот все ошибки

Кликните здесь для просмотра всего текста

Assets/Scripts/Farm_Action.cs(17,7): error CS0103: The name `coll’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(19,17): error CS0103: The name `Pshenitsa’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(19,27): error CS0103: The name `Player’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(19,5): error CS0311: The type `<error>’ cannot be used as type parameter `T’ in the generic type or method `UnityEngine.Object.Instantiate<T>(T, UnityEngine.Vector3, UnityEngine.Quaternion)’. There is no implicit reference conversion from `<error>’ to `UnityEngine.Object’

Assets/Scripts/Farm_Action.cs(22,7): error CS0103: The name `coll’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(24,8): error CS0103: The name `IsPlanted’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(25,13): error CS0103: The name `Pshenitsa’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(26,5): error CS0103: The name `Pshen’ does not exist in the current context

Добавлено через 3 минуты
Gammister, Вот все ошибки

Кликните здесь для просмотра всего текста

Assets/Scripts/Farm_Action.cs(17,7): error CS0103: The name `coll’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(19,17): error CS0103: The name `Pshenitsa’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(19,27): error CS0103: The name `Player’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(19,5): error CS0311: The type `<error>’ cannot be used as type parameter `T’ in the generic type or method `UnityEngine.Object.Instantiate<T>(T, UnityEngine.Vector3, UnityEngine.Quaternion)’. There is no implicit reference conversion from `<error>’ to `UnityEngine.Object’

Assets/Scripts/Farm_Action.cs(22,7): error CS0103: The name `coll’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(24,8): error CS0103: The name `IsPlanted’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(25,13): error CS0103: The name `Pshenitsa’ does not exist in the current context

Assets/Scripts/Farm_Action.cs(26,5): error CS0103: The name `Pshen’ does not exist in the current context

Добавлено через 7 минут
Gammister, Вот я переделал скрипт исправил пару ошибок но всё равно несколько осталось

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
 
public class Farm_Action : MonoBehaviour {
        
    public bool IsPlanted = false;
    public int Pshen = 0;
 
    public void Start () { 
    }
 
    void Update () {
        
    }
 
    void OnCollisionStay() {
        if (Collision.gameObject.tag == "Farm" ) {
            if (Input.GetKeyDown(KeyCode.E)) {
                Instantiate("Pshenitsa",Player.transform.position);
            }
        }
        if (coll.gameObject.tag == "Pshenitsa") {
            if (Input.GetKeyDown(KeyCode.E)) {
                if(IsPlanted = true){
                Destroy("Pshenitsa");
                    Pshen++;
                }
            }
        }
    }
 
}

Pedor

0 / 0 / 0

Регистрация: 18.04.2021

Сообщений: 5

1

22.04.2021, 15:40. Показов 5955. Ответов 6

Метки unity (Все метки)


Ошибка в коде помогите пожалуйста найти её. Заранее спасибо!
Вот код:

C#
1
2
3
4
5
6
7
8
9
10
11
12
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
 
public class MainMenu : MonoBehaviour
{
 
    public void PlayGame ()
    {
        SceneManager.LoadScene(SceneManager.GetActiveScene().buildIndex + 1 );
    }
}

__________________
Помощь в написании контрольных, курсовых и дипломных работ, диссертаций здесь

0

2496 / 1512 / 803

Регистрация: 23.02.2019

Сообщений: 3,689

22.04.2021, 16:16

2

А какая ошибка, лишний пробел?

0

0 / 0 / 0

Регистрация: 18.04.2021

Сообщений: 5

22.04.2021, 17:00

 [ТС]

3

Нет

0

2496 / 1512 / 803

Регистрация: 23.02.2019

Сообщений: 3,689

22.04.2021, 17:14

4

Вы можете просто скопировать текст ошибки в сообщение?
Чтобы его именно скопировать, а не перепечатывать, то кликните в консоли на ошибку и внизу консоли появится дополнительный текст ошибки, который можно выделить и скопировать.

0

0 / 0 / 0

Регистрация: 18.04.2021

Сообщений: 5

22.04.2021, 17:35

 [ТС]

5

Ах да, извинит- error CS0103:The name ‘SceneManager’ does not exist current context-Имя SceneManager не существует в текущем контексте

0

samana

2496 / 1512 / 803

Регистрация: 23.02.2019

Сообщений: 3,689

22.04.2021, 18:11

6

Лучший ответ Сообщение было отмечено Pedor как решение

Решение

Вы не прописали пространство имён

C#
1
using UnityEngine.SceneManagement;

1

0 / 0 / 0

Регистрация: 18.04.2021

Сообщений: 5

22.04.2021, 18:13

 [ТС]

7

Блин.. Спасибо большое!

0

Permalink

Cannot retrieve contributors at this time

description title ms.date f1_keywords helpviewer_keywords ms.assetid

Compiler Error CS0103

Compiler Error CS0103

07/20/2015

CS0103

CS0103

fd1f2104-a945-4dba-8137-8ef869826062

Compiler Error CS0103

The name ‘identifier’ does not exist in the current context

An attempt was made to use a name that does not exist in the class, namespace, or scope. Check the spelling of the name and check your using directives and assembly references to make sure that the name that you are trying to use is available.

This error frequently occurs if you declare a variable in a loop or a try or if block and then attempt to access it from an enclosing code block or a separate code block, as shown in the following example:

[!NOTE]
This error may also be presented when missing the greater than symbol in the operator => in an expression lambda. For more information, see expression lambdas.

using System;

class MyClass1
{
    public static void Main()
    {
        try
        {
            // The following declaration is only available inside the try block.
            var conn = new MyClass1();
        }
        catch (Exception e)
        {  
            // The following expression causes error CS0103, because variable
            // conn only exists in the try block.
            if (conn != null)
                Console.WriteLine("{0}", e);
        }
    }
}

The following example resolves the error:

using System;

class MyClass2
{
    public static void Main()
    {
        // To resolve the error in the example, the first step is to
        // move the declaration of conn out of the try block. The following
        // declaration is available throughout the Main method.
        MyClass2 conn = null;
        try
        {
            // Inside the try block, use the conn variable that you declared
            // previously.
            conn = new MyClass2();
        }
        catch (Exception e)
        {
            // The following expression no longer causes an error, because
            // the declaration of conn is in scope.
            if (conn != null)
                Console.WriteLine("{0}", e);
        }
    }
}

C# Compiler Error

CS0103 – The name ‘identifier’ does not exist in the current context

Reason for the Error

You will usually receive this error when you are trying to use a identifier name in C# that doesnot exist with-in the current scope. One of the simple example of this error is when you declare a variable with-in a try block and try to access it in the catch block.

In the below example, the variable i is declared inside the try block, so its scope is restricted to the try block. When you try accessing it in the catch block is when you will receive the error.

using System;

public class DeveloperPublish
{
    public static void Main()
    {       
        try
        {
            int i = 1;
            int j = 0;
            int result = i / j;
        }
        catch(DivideByZeroException)
        {
            string message = i + " is divivided by zero";
            Console.WriteLine(message);
        }

    }
}

Error CS0103 The name ‘i’ does not exist in the current context ConsoleApp1 C:UsersSenthilsourcereposConsoleApp1ConsoleApp1Program.cs 16 Active

Solution

To fix the error move the declaration of the identifier that is causing the error to a higher scope so that it is available when it is accessed.

For example, to fix the error in the above code snippet, we just need to move the declaration of the identifier outside of the try block.

using System;

public class DeveloperPublish
{
    public static void Main()
    {
        int i = 1;
        try
        {          
            int j = 0;
            int result = i / j;
        }
        catch(DivideByZeroException)
        {
            string message = i + " is divivided by zero";
            Console.WriteLine(message);
        }

    }
}

When my view loads, I need to check which domain the user is visiting, and based on the result, reference a different stylesheet and image source for the logo that appears on the page.

This is my code:

@{
    string currentstore=HttpContext.Current.Request.ServerVariables["HTTP_HOST"];

    if (currentstore == "www.mydomain.com")
    {
        <link href="/path/to/my/stylesheets/styles1-print.css" rel="stylesheet" type="text/css" />
        string imgsrc="/content/images/uploaded/store1_logo.jpg";
    }
    else
    {
        <link href="/path/to/my/stylesheets/styles2-print.css" rel="stylesheet" type="text/css" />
        string imgsrc="/content/images/uploaded/store2_logo.gif";
    }
}

Then, a little further down I call the imgsrc variable like this:

<a href="@Url.RouteUrl("HomePage")" class="logo"><img  alt="" src="@imgsrc"></a>

I get an error saying:

error CS0103: The name ‘imgsrc’ does not exist in the current context

I suppose this is because the «imgsrc» variable is defined in a code block which is now closed…?

What is the proper way to reference this variable further down the page?

Yuliam Chandra's user avatar

asked Sep 26, 2014 at 20:23

embryo's user avatar

Simply move the declaration outside of the if block.

@{
string currentstore=HttpContext.Current.Request.ServerVariables["HTTP_HOST"];
string imgsrc="";
if (currentstore == "www.mydomain.com")
    {
    <link href="/path/to/my/stylesheets/styles1-print.css" rel="stylesheet" type="text/css" />
    imgsrc="/content/images/uploaded/store1_logo.jpg";
    }
else
    {
    <link href="/path/to/my/stylesheets/styles2-print.css" rel="stylesheet" type="text/css" />
    imgsrc="/content/images/uploaded/store2_logo.gif";
    }
}

<a href="@Url.RouteUrl("HomePage")" class="logo"><img  alt="" src="@imgsrc"></a>

You could make it a bit cleaner.

@{
string currentstore=HttpContext.Current.Request.ServerVariables["HTTP_HOST"];
string imgsrc="/content/images/uploaded/store2_logo.gif";
if (currentstore == "www.mydomain.com")
    {
    <link href="/path/to/my/stylesheets/styles1-print.css" rel="stylesheet" type="text/css" />
    imgsrc="/content/images/uploaded/store1_logo.jpg";
    }
else
    {
    <link href="/path/to/my/stylesheets/styles2-print.css" rel="stylesheet" type="text/css" />
    }
}

answered Sep 26, 2014 at 20:26

mason's user avatar

masonmason

31.1k10 gold badges76 silver badges120 bronze badges

0

using System;
using System.Collections.Generic;                    (помогите пожалуйста та же самая
using System.Linq;                                     ошибка PlayerScript.health = 
using System.Text;                                      999999; вот на этот скрипт)                                  
using System.Threading.Tasks;
using UnityEngine;

namespace OneHack
{
    public class One
    {
        public Rect RT_MainMenu = new Rect(0f, 100f, 120f, 100f); //Rect это месторасположение меню по x,y и высота, ширина.
        public int ID_RTMainMenu = 1;
        private bool MainMenu = true;
        private void Menu_MainMenu(int id) //Главное меню
        {
            if (GUILayout.Button("Название вашей кнопки", new GUILayoutOption[0]))
            {
                if (GUILayout.Button("Бессмертие", new GUILayoutOption[0]))
                {
                    PlayerScript.health = 999999;//При нажатии на кнопку у игрока устанавливается здоровье 999999  //Здесь код, который будет происходить при нажатии на эту кнопку
                }
            }
        }
        private void OnGUI()
        {
            if (this.MainMenu)
            {
                this.RT_MainMenu = GUILayout.Window(this.ID_RTMainMenu, this.RT_MainMenu, new GUI.WindowFunction(this.Menu_MainMenu), "MainMenu", new GUILayoutOption[0]);
            }
        }
        private void Update() //Постоянно обновляемый метод, все что здесь будет написанно будет создаваться бесконечно
        {
            if (Input.GetKeyDown(KeyCode.Insert)) //Кнопка на которую будет открываться и закрываться меню, можно поставить другую
            {
                this.MainMenu = !this.MainMenu;
            }
        }
    }
}

Suraj Rao's user avatar

Suraj Rao

29.3k11 gold badges96 silver badges103 bronze badges

answered Aug 31, 2020 at 9:26

Никита's user avatar

4

как узнать имя сцены в которой находишься ?

как узнать имя сцены в которой находишься ?

я хочу узнать название сцены и использовать это в условии if
нашел что-то «SceneManager.GetActiveScene().name» вот , но как сделать чтобы было так if (SceneManager.GetActiveScene().name==main)

kirya_355
UNIт
 
Сообщения: 106
Зарегистрирован: 09 май 2018, 21:40

Re: как узнать имя сцены в которой находишься ?

Сообщение 1max1 27 июн 2018, 12:41

что такое main? имя сцены это строка, вот строки и сравнивай

Аватара пользователя
1max1
Адепт
 
Сообщения: 5285
Зарегистрирован: 28 июн 2017, 10:51

Re: как узнать имя сцены в которой находишься ?

Сообщение kirya_355 27 июн 2018, 12:57

1max1 писал(а):что такое main? имя сцены это строка, вот строки и сравнивай

main это название сцены , как их стравнить ,

Используется csharp

public string main;
void Start(){

if(SceneManager.GetActiveScene().name!=main){
……}

}

так что-ли,

kirya_355
UNIт
 
Сообщения: 106
Зарегистрирован: 09 май 2018, 21:40

Re: как узнать имя сцены в которой находишься ?

Сообщение 1max1 27 июн 2018, 13:17

Ну да)) Странный вопрос если честно, можешь еще через string.Equals сравнивать, но это уже слишком пафосно я думаю :D

Аватара пользователя
1max1
Адепт
 
Сообщения: 5285
Зарегистрирован: 28 июн 2017, 10:51

Re: как узнать имя сцены в которой находишься ?

Сообщение kirya_355 27 июн 2018, 13:19

1max1 писал(а):Ну да)) Странный вопрос если честно, можешь еще через string.Equals сравнивать, но это уже слишком пафосно я думаю :D

но unity ругается на это

error CS0103: The name `SceneManager’ does not exist in the current context

kirya_355
UNIт
 
Сообщения: 106
Зарегистрирован: 09 май 2018, 21:40

Re: как узнать имя сцены в которой находишься ?

Сообщение 1max1 27 июн 2018, 13:30

может пространство имен не добавил просто
using UnityEngine.SceneManagement;

Аватара пользователя
1max1
Адепт
 
Сообщения: 5285
Зарегистрирован: 28 июн 2017, 10:51

Re: как узнать имя сцены в которой находишься ?

Сообщение kirya_355 27 июн 2018, 13:43

1max1 писал(а):может пространство имен не добавил просто
using UnityEngine.SceneManagement;

спасибо всё работает

вот код кому нужно

Используется csharp

using UnityEngine;
using System.Collections;
using UnityEngine.SceneManagement;

 void OnMouseUpAsButton(){
if (SceneManager.GetActiveScene().name != «main»)
                    Application.LoadLevel(«game»);
}

kirya_355
UNIт
 
Сообщения: 106
Зарегистрирован: 09 май 2018, 21:40


Вернуться в Почемучка

Кто сейчас на конференции

Сейчас этот форум просматривают: Yandex [Bot] и гости: 24

  • Index
  • Recent Topics
  • Search

  • Log in

  1. Forum
  2. Plugins

  3. I2 Localization
  4. `SceneManager’ error after update


5 years 8 months ago5 years 8 months ago #2261
by Sarr

Hello,

I’ve just updated I2 Localization through Unity’s updater (after removing folders Common and Localization).
Now I get error:
Assets/I2/Common/Editor/EditorTools.cs(533,12): error CS0103: The name `SceneManager’ does not exist in the current context
Don’t really know how to solve it.

Could you help a bit?

EDIT: Wow, it seems you forgot to add «using UnityEngine.SceneManagement;» on top of that script. After adding that line, no errors yet.

Last edit: 5 years 8 months ago by Sarr.

Please Log in or Create an account to join the conversation.


5 years 8 months ago #2262
by Frank

Hi,
There was a last minute change in that version, that caused that error.

You can fix it by downloaded 2.6.12f2 from the beta folder (I already submitted it to the AssetStore, but will take a few days to be approved)

Nonetheless, a manual way of fixing it is by replacing the first line in the EditorTools.cs by this one:

#if !(UNITY_4_6 || UNITY_4_7 || UNITY_4_8 || UNITY_4_9 || UNITY_5_0 || UNITY_5_1 || UNITY_5_2)
    using UnityEngine.SceneManagement;
#endif

Version 2.6.12f2 also has a few other other fixes/improvements.
Hope that helps,
Frank


Are you :-) Give I2L
5 stars!

Are you :-( Please lets us know how to improve it!

To get the betas as soon as they are ready,
check this out

Please Log in or Create an account to join the conversation.

  1. Forum
  2. Plugins
  3. I2 Localization
  4. `SceneManager’ error after update

Time to create page: 0.167 seconds

Скрипт не работает

Скрипт не работает

Вот такой простенький скрипт но консоль выдает данную ошибку=Assets/M2.cs(8,20): error CS0103: The name `col’ does not exist in the current context
И еще желтую ошибку=Assets/M2.cs(10,28): warning CS0219: The variable `rotationY’ is assigned but its value is never used

Используется csharp

using System.Collections;

public class Moving2 : MonoBehaviour {

       
        void Update ()
        {          
                if(col.gameObject.name == «RollerBall»)
                {
                Quaternion rotationY = Quaternion.AngleAxis (180, Vector3.up);

                       
                }
        }
}

developers
UNец
 
Сообщения: 15
Зарегистрирован: 30 янв 2016, 22:55

Re: Скрипт не работает

Сообщение Smouk 03 мар 2016, 10:36

1. Из этого не понять в чем именно ошибка. Где объявлено col и зачем? Для получения имени объекта если скрипт висит на нем это не нужно.
В принципе не очень верно каждый update без необходимости сравнивать текст. Лучше при создании объекта использовать флаг или int с типом объекта, например.
2. Если перевести там прямо написано, что переменная rotationY никогда не используется.

Последний раз редактировалось Smouk 03 мар 2016, 10:39, всего редактировалось 2 раз(а).

Smouk
UNIт
 
Сообщения: 146
Зарегистрирован: 16 сен 2009, 08:47

Re: Скрипт не работает

Сообщение BladeBloodShot 03 мар 2016, 10:38

Ну так переведи ошибки, нет определения col то бишь надо public var col = там чему то;

BladeBloodShot
UNец
 
Сообщения: 38
Зарегистрирован: 03 фев 2016, 22:31



Re: Скрипт не работает

Сообщение developers 03 мар 2016, 12:06

А насчет 2 причины

developers
UNец
 
Сообщения: 15
Зарегистрирован: 30 янв 2016, 22:55

Re: Скрипт не работает

Сообщение iLLoren 03 мар 2016, 13:59

developers писал(а):А насчет 2 причины

Научись разбираться с мелочами самостоятельно, тебе самому то не стыдно что имея видео о том как с 0 сделать всё правильно ты косячишь и вместо пересмотров урока ты плачешь на форуме о проблемах которые сам можешь легко решить?

Аватара пользователя
iLLoren
UNIт
 
Сообщения: 103
Зарегистрирован: 31 дек 2015, 12:00

Re: Скрипт не работает

Сообщение Tolking 03 мар 2016, 14:16

Желтая ошибка называется предупреждением и в переводе с английского гласит: ты нахрена опредилил переменную `rotationY’ если нигде ее не используешь!

Таки да!!! Английский знать надо или пользоваться переводчиком…

Ковчег построил любитель, профессионалы построили Титаник.

Аватара пользователя
Tolking
Адепт
 
Сообщения: 2695
Зарегистрирован: 08 июн 2009, 18:22
Откуда: Тула


Вернуться в Скрипты

Кто сейчас на конференции

Сейчас этот форум просматривают: нет зарегистрированных пользователей и гости: 10



Понравилась статья? Поделить с друзьями:
  • Юнити выдает ошибку при запуске игры
  • Юнистрим код ошибки 190
  • Юникредит банк ошибка при проверке сертификата
  • Юникод символы ошибка
  • Юник 370 ошибка е11