Unity Custom Inspector 커스텀 인스펙터

Unity/찾아본것 2019. 7. 22. 16:14



1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
using UnityEngine;
 
public class Cube : MonoBehaviour
{
    void Start()
    {
        GenerateColor();
    }
 
    public void GenerateColor()
    {
        this.GetComponent<Renderer>().sharedMaterial.color = Random.ColorHSV();
    }
 
    public void Reset()
    {
        this.GetComponent<Renderer>().sharedMaterial.color = Color.white;
    }
}
 
cs


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
using UnityEngine;
using UnityEditor;
 
[CustomEditor(typeof(Cube))]
public class CubeEditor : Editor
{
    public override void OnInspectorGUI()
    {
        base.OnInspectorGUI();
 
        Cube cube = (Cube)target;
 
        GUILayout.BeginHorizontal();
 
        if (GUILayout.Button("GenerrateColor"))
        {
            cube.GenerateColor();
        }
 
        if (GUILayout.Button("ResetColor"))
        {
            cube.Reset();
        }
 
        GUILayout.EndHorizontal();
    }
}
 
cs

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
 
public class Sphere : MonoBehaviour
{
    public float baseSize = 1f;
 
    void Update()
    {
        float anim = baseSize + Mathf.Sin(Time.time * 8f) * baseSize / 7f;
        transform.localScale = Vector3.one * anim;
    }
}
 
cs



1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
using UnityEngine;
using UnityEditor;
 
[CustomEditor(typeof(Sphere))]
public class SphereEditor : Editor
{
    public override void OnInspectorGUI()
    {
        base.OnInspectorGUI();
 
        Sphere sphere = (Sphere)target;
 
        sphere.baseSize = EditorGUILayout.Slider(sphere.baseSize, .1f, 2f);
        sphere.transform.localScale = Vector3.one * sphere.baseSize;
    }
}
 
cs



왜 sphere..가 같이 색이 변하지 ( ? )

:

partial class

C#/모르는것 2019. 7. 12. 13:32

https://docs.microsoft.com/ko-kr/dotnet/csharp/programming-guide/classes-and-structs/partial-classes-and-methods


partial class
대규모 프로젝트시, 여러 곳에서 한개의 클래스를 정의하는 방법

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
 
namespace TestPartial
{
    class Program
    {
        static void Main(string[] args)
        {
            Go.Write1();
            Go.Write2();
        }
    }
}
 
cs



1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
using System;
 
namespace TestPartial
{
    public class ClassA
    {
        
    }
    partial class Go
    {
        public static void Write1()
        {
            Console.WriteLine("이곳은 A");
        }
    }
}
cs


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
using System;
 
namespace TestPartial
{
    public class ClassB
    {
 
    }
    partial class Go
    {
        public static void Write2()
        {
            Console.WriteLine("이곳은 B");
        }
    }
}
cs








'C# > 모르는것' 카테고리의 다른 글

델리게이트  (0) 2019.03.28
<공부할 거 모아두기>하루에 하나라도 찾아보려고 노력하기  (0) 2019.03.26
:

<화면 나누기> ViewportRect사용

Unity/찾아본것 2019. 6. 14. 18:03


//unity API
https://docs.unity3d.com/kr/2018.1/Manual/class-Camera.html

//도움글

http://devkorea.co.kr/bbs/board.php?bo_table=m03_qna&wr_id=38102








Viewport Rect
카메라 뷰가 드로우될 화면의 위치를 나타내는 네 개의 값을 의미합니다. 뷰포트 좌표로 측정됩니다(01 사이의 값).

ViewportRect를 드로우될 화면의 위치와 크기를 조정한다.
(달리기 경주 게임이나, 위아래로 화면을 나눠서 멀티플레이를 진행하는 레이싱게임등에 쓰면 좋을 것 같음, 미니맵 표시등에도 사용 가능)


//찾아볼 것
렌더 텍스처 방식으로도 화면을 나눌 수 있다고 한다. 찾아보자

https://docs.unity3d.com/kr/2018.1/Manual/class-RenderTexture.html

https://www.youtube.com/watch?v=28JTTXqMvOU&feature=share


--------------------------------------------------------------------------------------
랜더 텍스쳐 방식으로 UI에 작게 카메라 랜더링을 할 수 있다.
Canvas를 사용하여, 미니맵을 만들때 유용하게 쓰일듯?

:

TestGPGS - 구글 플레이에 앱등록하기-2(업적 연동)

Unity/수업내용 2019. 6. 14. 16:12

단계별 업적은
PlayGamesPlatform.Instance.IncrementAchievement(GPGSIds.achievement_4, 1, (success) => { //무명함수 내용 });
여기에 1은, 1단계씩 증가한다 라는 뜻

일회성 업적은

Social.ReportProgress(GPGSIds.achievement, 100,
(success) =>
{ //무명함수 내용 });
여기에 100은 완료 0은 미완료

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
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
using GooglePlayGames;
using System.Collections;
using System.Collections.Generic;
using UnityEditor;
using UnityEngine;
using UnityEngine.SceneManagement;
using UnityEngine.UI;
using System.Linq;
using Newtonsoft.Json;
 
public class TestGPGS : MonoBehaviour
{
    public Text txt_Ver;
 
    public Button btn_SignOut;
    public Button btn_achMenu;//업적 메뉴 보기
    public Button btn_ach1;//버튼누르면 몬스터 1킬
    public Button btn_reward;
 
    public Text txt_reward;
    public Text txt_Result;
    public Text txt_kill;//몬스터 처치수
    public Text txt_goldValue;
    public Text txt_gemValue;
 
    private int kill = 0;
 
    private int killMonsterGoal;//몬스터 목표 처치수
    private int killMonsterAchivementStep = 0;//몬스터처치 단계별 업적 달성 단계
    private Dictionary<int, Increment_Achivement> dicIncrement_Achivement;
    private Dictionary<int, Achivement> dicAchivement;
 
    private List<Achivement> achivementsList = new List<Achivement>();
 
    private int gold = 0;
    private int gem = 0;
    private int rewardType;
    private int rewardValue;
 
    void Start()
    {
        this.dicAchivement = new Dictionary<int, Achivement>();
        this.dicIncrement_Achivement = new Dictionary<int, Increment_Achivement>();
 
        var ta1 = Resources.Load<TextAsset>("achivement");
        var arrAchivement = JsonConvert.DeserializeObject<Achivement[]>(ta1.text);
        this.dicAchivement = arrAchivement.ToDictionary(x => x.id);
 
        var ta2 = Resources.Load<TextAsset>("Incremental_achivement");
        var arrIncremental_achivement = JsonConvert.DeserializeObject<Increment_Achivement[]>(ta2.text);
        this.dicIncrement_Achivement = arrIncremental_achivement.ToDictionary(x => x.id);
 
        var arr1 = this.dicAchivement.Where(x => x.Value.achivement_id == 1);
        foreach (var data in arr1)
        {
            this.achivementsList.Add(data.Value);
        }
 
        GPGSManager.Instance.Init();
 
        Debug.LogFormat("Version : {0}", Application.version);
 
        this.txt_Ver.text = Application.version;
 
        GPGSManager.Instance.SignIn((result) =>
        {
            if (result)
            {
                this.txt_Result.text = "로그인 성공";
                Social.ReportProgress(GPGSIds.achievement, 100, (success) =>
                {
                    if (success)
                    {
                        Debug.Log("비긴허 업적 완료");
                    }
                });
            }
            else
            {
                this.txt_Result.text = "로그인 실패";
            }
        });
 
        this.btn_SignOut.onClick.AddListener(() =>
        {
            GPGSManager.Instance.SignOut();
            SceneManager.LoadScene("TestGPGS");
            Debug.Log("로그아웃");
 
        });
 
        this.btn_achMenu.onClick.AddListener(() =>
        {
            Debug.Log("업적 메뉴 띄우기");
            Social.ShowAchievementsUI();
        });
 
        this.btn_ach1.onClick.AddListener(() =>
        {
            this.kill++;
            this.txt_kill.text = string.Format("몬스터 처치 : {0}/{1}", this.kill, this.dicAchivement[killMonsterAchivementStep].goal_value);
 
            if (this.kill == this.dicAchivement[killMonsterAchivementStep].goal_value)
            {
                PlayGamesPlatform.Instance.IncrementAchievement(GPGSIds.achievement_4, 1, (success) =>
                {
                    Debug.LogFormat("success : {0}", success);
                    if (success)
                    {
                        //보상버튼 활성화
                        this.btn_reward.gameObject.SetActive(true);
                        this.txt_reward.gameObject.SetActive(true);
                        this.rewardType = this.dicAchivement[killMonsterAchivementStep].reward_type;
                        this.rewardValue = this.dicAchivement[killMonsterAchivementStep].reward_val;
                        this.txt_reward.text = string.Format("{0} : {1} 받기", this.rewardType, this.rewardValue);
                    }
                });
                this.killMonsterAchivementStep++;
 
                if (this.kill == this.dicAchivement[this.dicAchivement.Count - 1].goal_value)
                {
                    this.txt_kill.text = string.Format("업적 달성");
                    this.btn_ach1.gameObject.SetActive(false);
 
                }
 
            }
        });
 
        this.btn_reward.onClick.AddListener(() =>
        {
            if (this.rewardType == 0)
            {
                this.gold += this.rewardValue;
            }
            else
            {
                this.gem += this.rewardValue;
            }
 
            this.txt_goldValue.text = this.gold.ToString();
            this.txt_gemValue.text = this.gem.ToString();
            this.btn_reward.gameObject.SetActive(false);
 
        });
    }
 
    private IEnumerator WaitForImage(System.Action onLoaded)
    {
        while (true)
        {
            if (Social.localUser.image != null)
            {
                break;
            }
            yield return null;
        }
 
        onLoaded();
    }
}
 
cs


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
34
35
36
37
38
39
40
41
42
43
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using UnityEngine.SocialPlatforms;
using System;
 
public class GPGSManager : MonoBehaviour
{
    public static GPGSManager Instance;
 
    void Awake()
    {
        GPGSManager.Instance = this;
    }
 
    public void Init()
    {
        PlayGamesClientConfiguration config = new PlayGamesClientConfiguration.Builder().Build();
 
 
        PlayGamesPlatform.InitializeInstance(config);
        // recommended for debugging:
        PlayGamesPlatform.DebugLogEnabled = true;
        // Activate the Google Play Games platform
        PlayGamesPlatform.Activate();
    }
 
    public void SignIn(System.Action<bool> onResult)
    {
        Social.localUser.Authenticate((bool success) =>
        {
            onResult(success);
        });
    }
 
    public void SignOut()
    {
        PlayGamesPlatform.Instance.SignOut();
    }
}
 
cs


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
34
// <copyright file="GPGSIds.cs" company="Google Inc.">
// Copyright (C) 2015 Google Inc. All Rights Reserved.
//
//  Licensed under the Apache License, Version 2.0 (the "License");
//  you may not use this file except in compliance with the License.
//  You may obtain a copy of the License at
//
//  http://www.apache.org/licenses/LICENSE-2.0
//
//  Unless required by applicable law or agreed to in writing, software
//  distributed under the License is distributed on an "AS IS" BASIS,
//  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
//  See the License for the specific language governing permissions and
//    limitations under the License.
// </copyright>
 
///
/// This file is automatically generated DO NOT EDIT!
///
/// These are the constants defined in the Play Games Console for Game Services
/// Resources.
///
 
 
public static class GPGSIds
{
        public const string achievement_4 = "CgkImtHoveUREAIQBQ"; // <GPGSID>
        public const string achievement = "CgkImtHoveUREAIQAQ"; // <GPGSID>
        public const string achievement_2 = "CgkImtHoveUREAIQAg"; // <GPGSID>
        public const string achievement_3 = "CgkImtHoveUREAIQAw"; // <GPGSID>
 
}
 
 
cs


1
2
3
4
5
6
7
8
9
public class Increment_Achivement
{
    public int id;
    public string name;
    public int type;
    public int reward_type;
    public int reward_value;
 
}
cs


1
2
3
4
5
6
7
8
9
public class Achivement
{
    public int id;
    public int achivement_id;
    public int goal_value;
    public int reward_type;
    public int reward_val;
 
}
cs


'Unity > 수업내용' 카테고리의 다른 글

TestGPGS - 구글 플레이에 앱등록하기(연동 로그인 로그아웃)  (0) 2019.06.13
UGUI Test  (0) 2019.05.24
<Test_SunnyLand>짬뿌END  (0) 2019.05.09
<Test_SunnyLand>짬뿌2  (0) 2019.05.08
<Test_SunnyLand>짬뿌  (0) 2019.05.07
:

TestGPGS - 구글 플레이에 앱등록하기(연동 로그인 로그아웃)

Unity/수업내용 2019. 6. 13. 17:42

Google Play Console
https://play.google.com/apps/publish/?hl=ko&account=5791372854232521888#AppListPlace

Google APIs
https://console.developers.google.com/apis/dashboard?project=testgpgs-94684386&folder=&organizationId=

//고객센터
https://support.google.com/googleplay/android-developer/answer/113469?hl=ko

//git
https://github.com/playgameservices/play-games-plugin-for-unity

//참고영상-24분 27초
https://youtu.be/UkafEdb342A?t=1467


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
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
using GooglePlayGames;
using System.Collections;
using System.Collections.Generic;
using UnityEditor;
using UnityEngine;
using UnityEngine.SceneManagement;
using UnityEngine.UI;
 
public class TestGPGS : MonoBehaviour
{
    public Text txt_Ver;
    public Button btn_SignIn;
    public Button btn_SignOut;
    public Text txt_Result;
    public Text txt_LocalUser;
    public Image img_localUserImage;
 
    void Start()
    {
 
        GPGSManager.Instance.Init();
 
        Debug.LogFormat("Version : {0}", Application.version);
 
        this.txt_Ver.text = Application.version;
 
        this.btn_SignIn.onClick.AddListener(() =>
        {
 
            GPGSManager.Instance.SignIn((result) =>
            {
                if (result)
                {
                    this.txt_Result.text = "로그인 성공";
 
                    var id = Social.localUser.id;
                    var name = Social.localUser.userName;
 
                    StartCoroutine(this.WaitForImage(() =>
                    {
                        img_localUserImage.sprite
                        = Sprite.Create(Social.localUser.image, new Rect(00, Social.localUser.image.width, Social.localUser.image.height), new Vector2(00));
                    }));
                    this.txt_LocalUser.text = string.Format("{0}\n{1}", id, name);
                }
                else
                {
                    this.txt_Result.text = "로그인 실패";
                }
            });
        });
 
        this.btn_SignOut.onClick.AddListener(() => 
        {
            PlayGamesPlatform.Instance.SignOut();
            SceneManager.LoadScene("TestGPGS");
            Debug.Log("로그아웃");
 
        });
    }
 
    private IEnumerator WaitForImage(System.Action onLoaded)
    {
        while (true)
        {
            if (Social.localUser.image != null)
            {
                break;
            }
            yield return null;
        }
 
        onLoaded();
    }
}
 
cs


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
34
35
36
37
38
39
40
41
42
43
44
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using UnityEngine.SocialPlatforms;
using System;
 
public class GPGSManager : MonoBehaviour
{
    public static GPGSManager Instance;
 
    void Awake()
    {
        GPGSManager.Instance = this;
    }
 
    public void Init()
    {
        PlayGamesClientConfiguration config = new PlayGamesClientConfiguration.Builder().Build();
 
 
        PlayGamesPlatform.InitializeInstance(config);
        // recommended for debugging:
        PlayGamesPlatform.DebugLogEnabled = true;
        // Activate the Google Play Games platform
        PlayGamesPlatform.Activate();
    }
 
    public void SignIn(System.Action<bool> onResult)
    {
        Social.localUser.Authenticate((bool success) =>
        {
            // handle success or failure
            onResult(success);
        });
    }
 
    public void SignOut()
    {
        PlayGamesPlatform.Instance.SignOut();
    }
}
 
cs


'Unity > 수업내용' 카테고리의 다른 글

TestGPGS - 구글 플레이에 앱등록하기-2(업적 연동)  (0) 2019.06.14
UGUI Test  (0) 2019.05.24
<Test_SunnyLand>짬뿌END  (0) 2019.05.09
<Test_SunnyLand>짬뿌2  (0) 2019.05.08
<Test_SunnyLand>짬뿌  (0) 2019.05.07
:

개인정보 처리방침

Unity 2019. 6. 13. 12:08

개인정보 처리방침

('https://sggilsroom.tistory.com/'이하 '공부방')은(는) 개인정보보호법에 따라 이용자의 개인정보 보호 및 권익을 보호하고 개인정보와 관련한 이용자의 고충을 원활하게 처리할 수 있도록 다음과 같은 처리방침을 두고 있습니다.

('공부방') 은(는) 회사는 개인정보처리방침을 개정하는 경우 웹사이트 공지사항(또는 개별공지)을 통하여 공지할 것입니다.

○ 본 방침은부터 2019년 6월 13일부터 시행됩니다.


1. 개인정보의 처리 목적 ('https://sggilsroom.tistory.com/'이하 '공부방')은(는) 개인정보를 다음의 목적을 위해 처리합니다. 처리한 개인정보는 다음의 목적이외의 용도로는 사용되지 않으며 이용 목적이 변경될 시에는 사전동의를 구할 예정입니다.

가. 홈페이지 회원가입 및 관리

회원 가입의사 확인 등을 목적으로 개인정보를 처리합니다.




2. 개인정보 파일 현황
('https://sggilsroom.tistory.com/'이하 '공부방')가 개인정보 보호법 제32조에 따라 등록․공개하는 개인정보파일의 처리목적은 다음과 같습니다.

1. 개인정보 파일명 : TestGPGS 개인정보 처리방침
- 개인정보 항목 : 로그인ID, 성별, 생년월일
- 수집방법 : Google API
- 보유근거 : 게임내역 표시
- 보유기간 : 1년
- 관련법령 : 신용정보의 수집/처리 및 이용 등에 관한 기록 : 3년, 소비자의 불만 또는 분쟁처리에 관한 기록 : 3년, 대금결제 및 재화 등의 공급에 관한 기록 : 5년, 계약 또는 청약철회 등에 관한 기록 : 5년, 표시/광고에 관한 기록 : 6개월



※ 기타('https://sggilsroom.tistory.com/'이하 '공부방')의 개인정보파일 등록사항 공개는 행정안전부 개인정보보호 종합지원 포털(www.privacy.go.kr) → 개인정보민원 → 개인정보열람등 요구 → 개인정보파일 목록검색 메뉴를 활용해주시기 바랍니다.

3. 개인정보의 처리 및 보유 기간

① ('공부방')은(는) 법령에 따른 개인정보 보유·이용기간 또는 정보주체로부터 개인정보를 수집시에 동의 받은 개인정보 보유,이용기간 내에서 개인정보를 처리,보유합니다.

② 각각의 개인정보 처리 및 보유 기간은 다음과 같습니다.

1.<홈페이지 회원가입 및 관리>
<홈페이지 회원가입 및 관리>와 관련한 개인정보는 수집.이용에 관한 동의일로부터<1년>까지 위 이용목적을 위하여 보유.이용됩니다.
-보유근거 : 게임내역 표시
-관련법령 : 1)신용정보의 수집/처리 및 이용 등에 관한 기록 : 3년
2) 소비자의 불만 또는 분쟁처리에 관한 기록 : 3년
3) 대금결제 및 재화 등의 공급에 관한 기록 : 5년
4) 계약 또는 청약철회 등에 관한 기록 : 5년
5) 표시/광고에 관한 기록 : 6개월

-예외사유 : 



4. 개인정보의 제3자 제공에 관한 사항

① ('https://sggilsroom.tistory.com/'이하 '공부방')은(는) 정보주체의 동의, 법률의 특별한 규정 등 개인정보 보호법 제17조 및 제18조에 해당하는 경우에만 개인정보를 제3자에게 제공합니다.

② ('https://sggilsroom.tistory.com/')은(는) 다음과 같이 개인정보를 제3자에게 제공하고 있습니다.


1. 
- 개인정보를 제공받는 자 : TIMTMI
- 제공받는 자의 개인정보 이용목적 : 로그인ID, 성별, 생년월일, 서비스 이용 기록, 접속 로그, 결제기록
- 제공받는 자의 보유.이용기간: 1년



5. 개인정보처리 위탁

① ('공부방')은(는) 원활한 개인정보 업무처리를 위하여 다음과 같이 개인정보 처리업무를 위탁하고 있습니다.

1. <>
- 위탁받는 자 (수탁자) : 
- 위탁하는 업무의 내용 : 
- 위탁기간 :



② ('https://sggilsroom.tistory.com/'이하 '공부방')은(는) 위탁계약 체결시 개인정보 보호법 제25조에 따라 위탁업무 수행목적 외 개인정보 처리금지, 기술적․관리적 보호조치, 재위탁 제한, 수탁자에 대한 관리․감독, 손해배상 등 책임에 관한 사항을 계약서 등 문서에 명시하고, 수탁자가 개인정보를 안전하게 처리하는지를 감독하고 있습니다.

③ 위탁업무의 내용이나 수탁자가 변경될 경우에는 지체없이 본 개인정보 처리방침을 통하여 공개하도록 하겠습니다.

6. 정보주체와 법정대리인의 권리·의무 및 그 행사방법 이용자는 개인정보주체로써 다음과 같은 권리를 행사할 수 있습니다.

① 정보주체는 TIMTMI에 대해 언제든지 개인정보 열람,정정,삭제,처리정지 요구 등의 권리를 행사할 수 있습니다.
② 제1항에 따른 권리 행사는TIMTMI에 대해 개인정보 보호법 시행령 제41조제1항에 따라 서면, 전자우편, 모사전송(FAX) 등을 통하여 하실 수 있으며 TIMTMI은(는) 이에 대해 지체 없이 조치하겠습니다.
③ 제1항에 따른 권리 행사는 정보주체의 법정대리인이나 위임을 받은 자 등 대리인을 통하여 하실 수 있습니다. 이 경우 개인정보 보호법 시행규칙 별지 제11호 서식에 따른 위임장을 제출하셔야 합니다.
④ 개인정보 열람 및 처리정지 요구는 개인정보보호법 제35조 제5항, 제37조 제2항에 의하여 정보주체의 권리가 제한 될 수 있습니다.
⑤ 개인정보의 정정 및 삭제 요구는 다른 법령에서 그 개인정보가 수집 대상으로 명시되어 있는 경우에는 그 삭제를 요구할 수 없습니다.
⑥ TIMTMI은(는) 정보주체 권리에 따른 열람의 요구, 정정·삭제의 요구, 처리정지의 요구 시 열람 등 요구를 한 자가 본인이거나 정당한 대리인인지를 확인합니다.



7. 처리하는 개인정보의 항목 작성 

① ('https://sggilsroom.tistory.com/'이하 '공부방')은(는) 다음의 개인정보 항목을 처리하고 있습니다.



8. 개인정보의 파기('공부방')은(는) 원칙적으로 개인정보 처리목적이 달성된 경우에는 지체없이 해당 개인정보를 파기합니다. 파기의 절차, 기한 및 방법은 다음과 같습니다.

-파기절차
이용자가 입력한 정보는 목적 달성 후 별도의 DB에 옮겨져(종이의 경우 별도의 서류) 내부 방침 및 기타 관련 법령에 따라 일정기간 저장된 후 혹은 즉시 파기됩니다. 이 때, DB로 옮겨진 개인정보는 법률에 의한 경우가 아니고서는 다른 목적으로 이용되지 않습니다.

-파기기한
이용자의 개인정보는 개인정보의 보유기간이 경과된 경우에는 보유기간의 종료일로부터 5일 이내에, 개인정보의 처리 목적 달성, 해당 서비스의 폐지, 사업의 종료 등 그 개인정보가 불필요하게 되었을 때에는 개인정보의 처리가 불필요한 것으로 인정되는 날로부터 5일 이내에 그 개인정보를 파기합니다.



9. 개인정보 자동 수집 장치의 설치•운영 및 거부에 관한 사항

① TIMTMI 은 개별적인 맞춤서비스를 제공하기 위해 이용정보를 저장하고 수시로 불러오는 ‘쿠기(cookie)’를 사용합니다. ② 쿠키는 웹사이트를 운영하는데 이용되는 서버(http)가 이용자의 컴퓨터 브라우저에게 보내는 소량의 정보이며 이용자들의 PC 컴퓨터내의 하드디스크에 저장되기도 합니다. 가. 쿠키의 사용 목적 : 이용자가 방문한 각 서비스와 웹 사이트들에 대한 방문 및 이용형태, 인기 검색어, 보안접속 여부, 등을 파악하여 이용자에게 최적화된 정보 제공을 위해 사용됩니다. 나. 쿠키의 설치•운영 및 거부 : 웹브라우저 상단의 도구>인터넷 옵션>개인정보 메뉴의 옵션 설정을 통해 쿠키 저장을 거부 할 수 있습니다. 다. 쿠키 저장을 거부할 경우 맞춤형 서비스 이용에 어려움이 발생할 수 있습니다.

10. 개인정보 보호책임자 작성


① TIMTMI(‘https://sggilsroom.tistory.com/’이하 ‘공부방) 은(는) 개인정보 처리에 관한 업무를 총괄해서 책임지고, 개인정보 처리와 관련한 정보주체의 불만처리 및 피해구제 등을 위하여 아래와 같이 개인정보 보호책임자를 지정하고 있습니다.


▶ 개인정보 보호책임자 
성명 :최승길
직책 :팀장
직급 :팀장
연락처 :01041677113, hanayafld@gmail.com, 
※ 개인정보 보호 담당부서로 연결됩니다.

▶ 개인정보 보호 담당부서
부서명 :
담당자 :
연락처 :, , 
② 정보주체께서는 TIMTMI(‘https://sggilsroom.tistory.com/’이하 ‘공부방) 의 서비스(또는 사업)을 이용하시면서 발생한 모든 개인정보 보호 관련 문의, 불만처리, 피해구제 등에 관한 사항을 개인정보 보호책임자 및 담당부서로 문의하실 수 있습니다. TIMTMI(‘https://sggilsroom.tistory.com/’이하 ‘공부방) 은(는) 정보주체의 문의에 대해 지체 없이 답변 및 처리해드릴 것입니다.



11. 개인정보 처리방침 변경

①이 개인정보처리방침은 시행일로부터 적용되며, 법령 및 방침에 따른 변경내용의 추가, 삭제 및 정정이 있는 경우에는 변경사항의 시행 7일 전부터 공지사항을 통하여 고지할 것입니다.



12. 개인정보의 안전성 확보 조치 ('공부방')은(는) 개인정보보호법 제29조에 따라 다음과 같이 안전성 확보에 필요한 기술적/관리적 및 물리적 조치를 하고 있습니다.

1. 개인정보의 암호화
이용자의 개인정보는 비밀번호는 암호화 되어 저장 및 관리되고 있어, 본인만이 알 수 있으며 중요한 데이터는 파일 및 전송 데이터를 암호화 하거나 파일 잠금 기능을 사용하는 등의 별도 보안기능을 사용하고 있습니다.

'Unity' 카테고리의 다른 글

EffectTest  (0) 2019.04.24
:

[설탕 배달]06-12

Algorithmus 2019. 6. 12. 15:53


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
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
 
 
namespace TestSugarDelivery
{
    public class App
    {
        public App()
        {
 
        }
 
        public void Start()
        {
            int a = 2;
            this.SugerDelivery(a);
            a = 3;
            this.SugerDelivery(a);
            a = 5;
            this.SugerDelivery(a);
            a = 7;
            this.SugerDelivery(a);
            a = 8;
            this.SugerDelivery(a);
            a = 11;
            this.SugerDelivery(a);
            a = 13;
            this.SugerDelivery(a);
            a = 15;
            this.SugerDelivery(a);
            a = 18;
            this.SugerDelivery(a);
        }
 
        public void SugerDelivery(int a)
        {
            Console.WriteLine("배달할 무게 : {0}", a);
            int suger = a;
            int kg5 = 0;
            int kg3 = 0;
 
            if (suger % 5 == 0)
            {
                kg5 = suger / 5;
                Console.WriteLine("설탕봉지 : {0}개", kg5 + kg3);
 
            }
            else
            {
                while (true)
                {
                    if (suger - 5 > 0)
                    {
                        suger -= 5;
                        kg5++;
                    }
                    if (suger % 3 == 0)
                    {
                        kg3 = suger / 3;
                        Console.WriteLine("설탕봉지 : {0}개", kg5 + kg3);
                        break;
                    }
                    if (suger - 5 < 0)
                    {
                        Console.WriteLine("-1");
                        break;
                    }
                }
            }
            Console.WriteLine();
        }
    }
}
cs


'Algorithmus' 카테고리의 다른 글

C# 10430 분배법칙  (0) 2021.10.25
20200811 임시, 추가 변수없이 두 정수값 교체  (0) 2020.08.11
AStar algorithm 4방향(캐릭터 이동)  (0) 2019.05.21
AStar algorithm  (0) 2019.05.20
[Palindrome Number]05-14  (0) 2019.05.14
:

BPM 체크

잡담 2019. 6. 4. 14:16

https://software.naver.com/software/summary.nhn?softwareId=MFS_117125#

'잡담' 카테고리의 다른 글

마인드맵  (0) 2019.05.13
내일 정  (0) 2019.04.30
안녕세상아  (0) 2019.03.22
: