Таблица лидеров в юнити

Общие вопросы о Unity3D

Таблица лидеров в юнити

Сообщение mark342005 29 мар 2021, 16:03

Всем привет. Столкнулся с такой проблемой: Я не могу сделать таблицу лидеров в игре.
Вот код в 1 скрипте для подключения к сервисам
Синтаксис:
Используется csharp
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using UnityEngine.SocialPlatforms;
void Start()
{
 PlayGamesPlatform.Activate();
        Social.localUser.Authenticate((bool success) =>
        {
            if (success)
            {
                SuccessGPS?.SetActive(true);
            }
            else
            {
                NoSuccessGPS?.SetActive(true);
            }
        });
}


Вот метод открытия этой таблицы
Синтаксис:
Используется csharp
 
    public void ShowLeaderboard()
    {
        Social.ShowLeaderboardUI();
    }
 


Вот 2 скрипт, где я сохраняю очки в таблицу
Синтаксис:
Используется csharp
       
    Social.ReportScore(Points, leaderBoard, (bool success) => { });
 


В игре так же есть сохранение в облаке - оно работает
Игра находится на внутринем тестировании, мой аккант есть в списке тестировщиков
В игре даже не выскакивает окошко входа в аккаунт гугл

В эдиторе выскакивает окошко провала аутентификации, а в билде совсем ничего не выскакивает.

Подскажите пожалуйста, что делать
mark342005
UNIт
 
Сообщения: 96
Зарегистрирован: 19 май 2020, 20:20

Re: Таблица лидеров в юнити

Сообщение mark342005 29 мар 2021, 16:20

mark342005 писал(а):Всем привет. Столкнулся с такой проблемой: Я не могу сделать таблицу лидеров в игре.
Вот код в 1 скрипте для подключения к сервисам
Синтаксис:
Используется csharp
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using UnityEngine.SocialPlatforms;
void Start()
{
 PlayGamesPlatform.Activate();
        Social.localUser.Authenticate((bool success) =>
        {
            if (success)
            {
                SuccessGPS?.SetActive(true);
            }
            else
            {
                NoSuccessGPS?.SetActive(true);
            }
        });
}


Вот метод открытия этой таблицы
Синтаксис:
Используется csharp
 
    public void ShowLeaderboard()
    {
        Social.ShowLeaderboardUI();
    }
 


Вот 2 скрипт, где я сохраняю очки в таблицу
Синтаксис:
Используется csharp
       
    Social.ReportScore(Points, leaderBoard, (bool success) => { });
 


В игре так же есть сохранение в облаке - оно работает
Игра находится на внутринем тестировании, мой аккант есть в списке тестировщиков
В игре даже не выскакивает окошко входа в аккаунт гугл

В эдиторе выскакивает окошко провала аутентификации, а в билде совсем ничего не выскакивает.

Подскажите пожалуйста, что делать




Вот скрипт для сохранения игр
Синтаксис:
Используется csharp
using System.Collections.Generic;
using UnityEngine;
using System;
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using GooglePlayGames.BasicApi.SavedGame;

public static class GPSManager
{
    public const string DEFAULT_SAVE_NAME = "Save";

    private static ISavedGameClient savedGameClient;
    private static ISavedGameMetadata currentMetadata;

    private static DateTime startDateTime;


    public static bool IsAuthenticated
    {
        get
        {
            if (PlayGamesPlatform.Instance != null) return PlayGamesPlatform.Instance.IsAuthenticated();
            return false;
        }
    }
    public static bool SavesUIOpened { get; private set; }

    public static void Initialize(bool debug)
    {
        PlayGamesClientConfiguration config = new PlayGamesClientConfiguration.Builder()
            .EnableSavedGames()
            .Build();
        PlayGamesPlatform.InitializeInstance(config);
        PlayGamesPlatform.DebugLogEnabled = debug;
        PlayGamesPlatform.Activate();

        startDateTime = DateTime.Now;
    }
    public static void Initialize(bool debug, CloudSavesUI savesUI)
    {
        Initialize(debug);
    }

    public static void Auth(Action<bool> onAuth)
    {
        Social.localUser.Authenticate((success) =>
        {
            if (success) savedGameClient = PlayGamesPlatform.Instance.SavedGame;
            onAuth(success);
        });
    }

 

    private static void OpenSaveData(string fileName, Action<SavedGameRequestStatus, ISavedGameMetadata> onDataOpen)
    {
        if (!IsAuthenticated)
        {
            onDataOpen(SavedGameRequestStatus.AuthenticationError, null);
            return;
        }
        savedGameClient.OpenWithAutomaticConflictResolution(fileName,
            DataSource.ReadCacheOrNetwork,
            ConflictResolutionStrategy.UseLongestPlaytime,
            onDataOpen);
    }

    public static void ReadSaveData(string fileName, Action<SavedGameRequestStatus, byte[]> onDataRead)
    {
        if (!IsAuthenticated)
        {
            onDataRead(SavedGameRequestStatus.AuthenticationError, null);
            return;
        }
        OpenSaveData(fileName, (status, metadata) =>
        {
            if (status == SavedGameRequestStatus.Success)
            {
                savedGameClient.ReadBinaryData(metadata, onDataRead);
                currentMetadata = metadata;
            }
        });
    }

    public static void WriteSaveData(byte[] data)
    {
        if (!IsAuthenticated || data == null || data.Length == 0)
            return;
        TimeSpan currentSpan = DateTime.Now - startDateTime;
        Action onDataWrite = () =>
        {
            TimeSpan totalPlayTime = currentMetadata.TotalTimePlayed + currentSpan;
            SavedGameMetadataUpdate.Builder builder = new SavedGameMetadataUpdate.Builder()
            .WithUpdatedDescription("Saved game at " + DateTime.Now)
            .WithUpdatedPlayedTime(totalPlayTime);
            SavedGameMetadataUpdate updatedMetadata = builder.Build();
            savedGameClient.CommitUpdate(currentMetadata,
                updatedMetadata,
                data,
                (status, metadata) => currentMetadata = metadata);
            startDateTime = DateTime.Now;
        };
        if (currentMetadata == null)
        {
            OpenSaveData(DEFAULT_SAVE_NAME, (status, metadata) =>
            {
                Debug.Log("Cloud data write status: " + status.ToString());
                if (status == SavedGameRequestStatus.Success)
                {
                    currentMetadata = metadata;
                    onDataWrite();
                }
            });
            return;
        }
        onDataWrite();
    }

    public static void GetSavesList(Action<SavedGameRequestStatus, List<ISavedGameMetadata>> onReceiveList)
    {
        if (!IsAuthenticated)
        {
            onReceiveList(SavedGameRequestStatus.AuthenticationError, null);
            return;
        }
        savedGameClient.FetchAllSavedGames(DataSource.ReadNetworkOnly, onReceiveList);
    }

    public struct CloudSavesUI
    {
        public uint MaxDisplayCount { get; private set; }
        public bool AllowCreate { get; private set; }
        public bool AllowDelete { get; private set; }

        public CloudSavesUI(uint maxDisplayCount, bool allowCreate, bool allowDelete)
        {
            MaxDisplayCount = maxDisplayCount;
            AllowCreate = allowCreate;
            AllowDelete = allowDelete;
        }
    }
}
 




А вот скрипт который этим управляет
Синтаксис:
Используется csharp
using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class GooglePlayLoggin : MonoBehaviour
{
    private void Start()
    {
        GPSManager.Initialize(false);
        GPSManager.Auth((success) =>
        {
            if (success && GameSave.instance.currentPlayerDate.isNewGame)
            {
                GPSManager.ReadSaveData(GPSManager.DEFAULT_SAVE_NAME, (status, data) => {
                    if (status == GooglePlayGames.BasicApi.SavedGame.SavedGameRequestStatus.Success && data.Length > 0)
                    {                      
                        GameSave.instance.Load();
                    }
                });
            }
        }
        );
        GameSave.instance.currentPlayerDate.isNewGame = false;
        GameSave.instance.Save();
    }

    private void OnApplicationPause(bool pause)
    {
        if (pause)
        {
            GPSManager.WriteSaveData(GameSave.instance.GetData());
        }
    }
}
 
mark342005
UNIт
 
Сообщения: 96
Зарегистрирован: 19 май 2020, 20:20

Re: Таблица лидеров в юнити

Сообщение mark342005 30 мар 2021, 19:11

mark342005 писал(а):
mark342005 писал(а):Всем привет. Столкнулся с такой проблемой: Я не могу сделать таблицу лидеров в игре.
Вот код в 1 скрипте для подключения к сервисам
Синтаксис:
Используется csharp
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using UnityEngine.SocialPlatforms;
void Start()
{
 PlayGamesPlatform.Activate();
        Social.localUser.Authenticate((bool success) =>
        {
            if (success)
            {
                SuccessGPS?.SetActive(true);
            }
            else
            {
                NoSuccessGPS?.SetActive(true);
            }
        });
}


Вот метод открытия этой таблицы
Синтаксис:
Используется csharp
 
    public void ShowLeaderboard()
    {
        Social.ShowLeaderboardUI();
    }
 


Вот 2 скрипт, где я сохраняю очки в таблицу
Синтаксис:
Используется csharp
       
    Social.ReportScore(Points, leaderBoard, (bool success) => { });
 


В игре так же есть сохранение в облаке - оно работает
Игра находится на внутринем тестировании, мой аккант есть в списке тестировщиков
В игре даже не выскакивает окошко входа в аккаунт гугл

В эдиторе выскакивает окошко провала аутентификации, а в билде совсем ничего не выскакивает.

Подскажите пожалуйста, что делать




Вот скрипт для сохранения игр
Синтаксис:
Используется csharp
using System.Collections.Generic;
using UnityEngine;
using System;
using GooglePlayGames;
using GooglePlayGames.BasicApi;
using GooglePlayGames.BasicApi.SavedGame;

public static class GPSManager
{
    public const string DEFAULT_SAVE_NAME = "Save";

    private static ISavedGameClient savedGameClient;
    private static ISavedGameMetadata currentMetadata;

    private static DateTime startDateTime;


    public static bool IsAuthenticated
    {
        get
        {
            if (PlayGamesPlatform.Instance != null) return PlayGamesPlatform.Instance.IsAuthenticated();
            return false;
        }
    }
    public static bool SavesUIOpened { get; private set; }

    public static void Initialize(bool debug)
    {
        PlayGamesClientConfiguration config = new PlayGamesClientConfiguration.Builder()
            .EnableSavedGames()
            .Build();
        PlayGamesPlatform.InitializeInstance(config);
        PlayGamesPlatform.DebugLogEnabled = debug;
        PlayGamesPlatform.Activate();

        startDateTime = DateTime.Now;
    }
    public static void Initialize(bool debug, CloudSavesUI savesUI)
    {
        Initialize(debug);
    }

    public static void Auth(Action<bool> onAuth)
    {
        Social.localUser.Authenticate((success) =>
        {
            if (success) savedGameClient = PlayGamesPlatform.Instance.SavedGame;
            onAuth(success);
        });
    }

 

    private static void OpenSaveData(string fileName, Action<SavedGameRequestStatus, ISavedGameMetadata> onDataOpen)
    {
        if (!IsAuthenticated)
        {
            onDataOpen(SavedGameRequestStatus.AuthenticationError, null);
            return;
        }
        savedGameClient.OpenWithAutomaticConflictResolution(fileName,
            DataSource.ReadCacheOrNetwork,
            ConflictResolutionStrategy.UseLongestPlaytime,
            onDataOpen);
    }

    public static void ReadSaveData(string fileName, Action<SavedGameRequestStatus, byte[]> onDataRead)
    {
        if (!IsAuthenticated)
        {
            onDataRead(SavedGameRequestStatus.AuthenticationError, null);
            return;
        }
        OpenSaveData(fileName, (status, metadata) =>
        {
            if (status == SavedGameRequestStatus.Success)
            {
                savedGameClient.ReadBinaryData(metadata, onDataRead);
                currentMetadata = metadata;
            }
        });
    }

    public static void WriteSaveData(byte[] data)
    {
        if (!IsAuthenticated || data == null || data.Length == 0)
            return;
        TimeSpan currentSpan = DateTime.Now - startDateTime;
        Action onDataWrite = () =>
        {
            TimeSpan totalPlayTime = currentMetadata.TotalTimePlayed + currentSpan;
            SavedGameMetadataUpdate.Builder builder = new SavedGameMetadataUpdate.Builder()
            .WithUpdatedDescription("Saved game at " + DateTime.Now)
            .WithUpdatedPlayedTime(totalPlayTime);
            SavedGameMetadataUpdate updatedMetadata = builder.Build();
            savedGameClient.CommitUpdate(currentMetadata,
                updatedMetadata,
                data,
                (status, metadata) => currentMetadata = metadata);
            startDateTime = DateTime.Now;
        };
        if (currentMetadata == null)
        {
            OpenSaveData(DEFAULT_SAVE_NAME, (status, metadata) =>
            {
                Debug.Log("Cloud data write status: " + status.ToString());
                if (status == SavedGameRequestStatus.Success)
                {
                    currentMetadata = metadata;
                    onDataWrite();
                }
            });
            return;
        }
        onDataWrite();
    }

    public static void GetSavesList(Action<SavedGameRequestStatus, List<ISavedGameMetadata>> onReceiveList)
    {
        if (!IsAuthenticated)
        {
            onReceiveList(SavedGameRequestStatus.AuthenticationError, null);
            return;
        }
        savedGameClient.FetchAllSavedGames(DataSource.ReadNetworkOnly, onReceiveList);
    }

    public struct CloudSavesUI
    {
        public uint MaxDisplayCount { get; private set; }
        public bool AllowCreate { get; private set; }
        public bool AllowDelete { get; private set; }

        public CloudSavesUI(uint maxDisplayCount, bool allowCreate, bool allowDelete)
        {
            MaxDisplayCount = maxDisplayCount;
            AllowCreate = allowCreate;
            AllowDelete = allowDelete;
        }
    }
}
 




А вот скрипт который этим управляет
Синтаксис:
Используется csharp
using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class GooglePlayLoggin : MonoBehaviour
{
    private void Start()
    {
        GPSManager.Initialize(false);
        GPSManager.Auth((success) =>
        {
            if (success && GameSave.instance.currentPlayerDate.isNewGame)
            {
                GPSManager.ReadSaveData(GPSManager.DEFAULT_SAVE_NAME, (status, data) => {
                    if (status == GooglePlayGames.BasicApi.SavedGame.SavedGameRequestStatus.Success && data.Length > 0)
                    {                      
                        GameSave.instance.Load();
                    }
                });
            }
        }
        );
        GameSave.instance.currentPlayerDate.isNewGame = false;
        GameSave.instance.Save();
    }

    private void OnApplicationPause(bool pause)
    {
        if (pause)
        {
            GPSManager.WriteSaveData(GameSave.instance.GetData());
        }
    }
}
 



Вот логи:
0001.01.01 00:00:00.000 -1 -1 Info --------- beginning of main
2021.03.30 18:07:27.928 20069 20069 Info mpany.TheFlame Reinit property: dalvik.vm.checkjni= false
2021.03.30 18:07:27.929 20069 20069 Error mpany.TheFlame Not starting debugger since process cannot load the jdwp agent.
2021.03.30 18:07:27.940 20069 20069 Warn re-initialized> type=1400 audit(0.0:2904574): avc: denied { read } for pid=20069 name="u:object_r:mmi_prop:s0" dev="tmpfs" ino=2544 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:mmi_prop:s0 tclass=file permissive=0
2021.03.30 18:07:27.944 20069 20069 Error libc Access denied finding property "runtime.mmitest.isrunning"
0001.01.01 00:00:00.000 -1 -1 Info --------- beginning of system
2021.03.30 18:07:27.949 20069 20069 Debug ActivityThread Attach thread to application
2021.03.30 18:07:28.010 20069 20069 Warn mpany.TheFlame JIT profile information will not be recorded: profile file does not exits.
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame QarthPatchMonintor::Init
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame QarthPatchMonintor::StartWatch
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame QarthPatchMonintor::WatchPackage: /data/hotpatch/fwkhotpatch/
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame QarthPatchMonintor::CheckAndWatchPatch: /data/hotpatch/fwkhotpatch/com.MarymarinCompany.TheFlames
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame QarthPatchMonintor::CheckAndWatchPatch: /data/hotpatch/fwkhotpatch/all
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame QarthPatchMonintor::Run
2021.03.30 18:07:28.017 20069 20069 Info mpany.TheFlame
2021.03.30 18:07:28.021 20069 20097 Info mpany.TheFlame QarthPatchMonintor::Reading
2021.03.30 18:07:28.021 20069 20097 Info mpany.TheFlame
2021.03.30 18:07:28.021 20069 20097 Info mpany.TheFlame QarthPatchMonintor::CheckNotifyEvent
2021.03.30 18:07:28.021 20069 20097 Info mpany.TheFlame
2021.03.30 18:07:28.021 20069 20097 Info mpany.TheFlame QarthPatchMonintor::CheckNotifyEvent before read
2021.03.30 18:07:28.021 20069 20097 Info mpany.TheFlame
2021.03.30 18:07:28.031 20069 20088 Info HwApiCacheMangerEx apicache path=/storage/emulated/0 state=mounted key=com.MarymarinCompany.TheFlames#10634#256
2021.03.30 18:07:28.034 20069 20088 Info HwApiCacheMangerEx apicache path=/storage/emulated/0 state=mounted key=com.MarymarinCompany.TheFlames#10634#0
2021.03.30 18:07:28.046 20069 20088 Info AwareBitmapCacher init processName:com.MarymarinCompany.TheFlames pid=20069 uid=10634
2021.03.30 18:07:28.050 20069 20099 Error AwareLog AtomicFileUtils: readFileLines file not exist: android.util.AtomicFile@c63c120
2021.03.30 18:07:28.055 20069 20069 Verbose ActivityThread callActivityOnCreate
2021.03.30 18:07:28.075 20069 20069 Info IL2CPP JNI_OnLoad
2021.03.30 18:07:28.082 20069 20069 Verbose HwWidgetFactory : successes to get AllImpl object and return....
2021.03.30 18:07:28.094 20069 20069 Debug ActivityThread add activity client record, r= ActivityRecord{8821377 token=android.os.BinderProxy@5a7ed52 {com.MarymarinCompany.TheFlames/com.unity3d.player.UnityPlayerActivity}} token= android.os.BinderProxy@5a7ed52
2021.03.30 18:07:28.097 20069 20069 Verbose AudioManager getStreamVolume streamType: 3 volume: 0
2021.03.30 18:07:28.114 20069 20102 Debug HiTouch_PressGestureDetector onAttached, package=com.MarymarinCompany.TheFlames, windowType=1, mHiTouchRestricted=false
2021.03.30 18:07:28.133 20069 20069 Warn Gralloc3 mapper 3.x is not supported
2021.03.30 18:07:28.138 20069 20069 Error ion ioctl c0044901 failed with code -1: Not a typewriter
2021.03.30 18:07:28.149 20069 20069 Info HwViewRootImpl removeInvalidNode jank list is null
2021.03.30 18:07:28.198 20069 20069 Debug AwareAppScheduleManager webViewOpt, not safe
2021.03.30 18:07:28.230 20069 20101 Info Unity SystemInfo CPU = ARM64 FP ASIMD AES, Cores = 8, Memory = 3679mb
2021.03.30 18:07:28.230 20069 20101 Info Unity SystemInfo ARM big.LITTLE configuration: 4 big (mask: 0xf0), 4 little (mask: 0xf)
2021.03.30 18:07:28.231 20069 20101 Info Unity ApplicationInfo com.MarymarinCompany.TheFlames version 154.0 build 9d1bf1eb-f3a9-4369-a19a-c0f30f213cf3
2021.03.30 18:07:28.231 20069 20101 Info Unity Built from '2020.1/release' branch, Version '2020.1.3f1 (cf5c4788e1d8)', Build type 'Release', Scripting Backend 'il2cpp', CPU 'arm64-v8a', Stripping 'Enabled'
2021.03.30 18:07:28.303 20069 20101 Info iGraphics [0020080c] pn: com.MarymarinCompany.TheFlames, p: 20069
2021.03.30 18:07:28.304 20069 20101 Info iGraphics [0030080c] no spt app: com.MarymarinCompany.TheFlames
2021.03.30 18:07:28.320 20069 20101 Debug mali_winsys EGLint new_window_surface(egl_winsys_display *, void *, EGLSurface, EGLConfig, egl_winsys_surface **, EGLBoolean) returns 0x3000
2021.03.30 18:07:28.324 20069 20101 Debug Unity GL_EXT_debug_marker GL_ARM_rgba8 GL_ARM_mali_shader_binary GL_OES_depth24 GL_OES_depth_texture GL_OES_depth_texture_cube_map GL_OES_packed_depth_stencil GL_OES_rgb8_rgba8 GL_EXT_read_format_bgra GL_OES_compressed_paletted_texture GL_OES_compressed_ETC1_RGB8_texture GL_OES_standard_derivatives GL_OES_EGL_image GL_OES_EGL_image_external GL_OES_EGL_image_external_essl3 GL_OES_EGL_sync GL_OES_texture_npot GL_OES_vertex_half_float GL_OES_required_internalformat GL_OES_vertex_array_object GL_OES_mapbuffer GL_EXT_texture_format_BGRA8888 GL_EXT_texture_rg GL_EXT_texture_type_2_10_10_10_REV GL_OES_fbo_render_mipmap GL_OES_element_index_uint GL_EXT_shadow_samplers GL_OES_texture_compression_astc GL_KHR_texture_compression_astc_ldr GL_KHR_texture_compression_astc_hdr GL_KHR_texture_compression_astc_sliced_3d GL_EXT_texture_compression_astc_decode_mode GL_EXT_texture_compression_astc_decode_mode_rgb9e5 GL_KHR_debug GL_EXT_occlusion_query_boolean GL_EXT_disjoint_timer_query GL_EXT_blend_minmax GL_EXT_discard_framebuffer
2021.03.30 18:07:28.324 20069 20101 Debug Unity GL_OES_get_program_binary GL_OES_texture_3D GL_EXT_texture_storage GL_EXT_multisampled_render_to_texture GL_EXT_multisampled_render_to_texture2 GL_OES_surfaceless_context GL_OES_texture_stencil8 GL_EXT_shader_pixel_local_storage GL_ARM_shader_framebuffer_fetch GL_ARM_shader_framebuffer_fetch_depth_stencil GL_ARM_mali_program_binary GL_EXT_sRGB GL_EXT_sRGB_write_control GL_EXT_texture_sRGB_decode GL_EXT_texture_sRGB_R8 GL_EXT_texture_sRGB_RG8 GL_KHR_blend_equation_advanced GL_KHR_blend_equation_advanced_coherent GL_OES_texture_storage_multisample_2d_array GL_OES_shader_image_atomic GL_EXT_robustness GL_EXT_draw_buffers_indexed GL_OES_draw_buffers_indexed GL_EXT_texture_border_clamp GL_OES_texture_border_clamp GL_EXT_texture_cube_map_array GL_OES_texture_cube_map_array GL_OES_sample_variables GL_OES_sample_shading GL_OES_shader_multisample_interpolation GL_EXT_shader_io_blocks GL_OES_shader_io_blocks GL_EXT_tessellation_shader GL_OES_tessellation_shader GL_EXT_primitive_bounding_box GL_OES_primitive_bounding_
2021.03.30 18:07:28.325 20069 20101 Debug Unity box GL_EXT_geometry_shader GL_OES_geometry_shader GL_ANDROID_extension_pack_es31a GL_EXT_gpu_shader5 GL_OES_gpu_shader5 GL_EXT_texture_buffer GL_OES_texture_buffer GL_EXT_copy_image GL_OES_copy_image GL_EXT_shader_non_constant_global_initializers GL_EXT_color_buffer_half_float GL_EXT_color_buffer_float GL_EXT_YUV_target GL_OVR_multiview GL_OVR_multiview2 GL_OVR_multiview_multisampled_render_to_texture GL_KHR_robustness GL_KHR_robust_buffer_access_behavior GL_EXT_draw_elements_base_vertex GL_OES_draw_elements_base_vertex GL_EXT_protected_textures GL_EXT_buffer_storage GL_EXT_external_buffer GL_EXT_EGL_image_array
2021.03.30 18:07:28.386 20069 20101 Debug PlayerBase::PlayerBase()
2021.03.30 18:07:28.388 20069 20101 Debug TrackPlayerBase::TrackPlayerBase()
2021.03.30 18:07:28.388 20069 20101 Info libOpenSLES Emulating old channel mask behavior (ignoring positional mask 0x3, using default mask 0x3 based on channel count of 2)
2021.03.30 18:07:28.409 20069 20101 Warn AudioTrack createTrack_l(0): AUDIO_OUTPUT_FLAG_FAST denied by server; frameCount 0 -> 1924
2021.03.30 18:07:28.508 20069 20101 Verbose AudioManager getStreamVolume streamType: 3 volume: 0
2021.03.30 18:07:28.515 20069 20101 Verbose MediaRouter Audio routes updated: AudioRoutesInfo{ type=SPEAKER, bluetoothName=JBL T450BT }, a2dp=true
2021.03.30 18:07:28.515 20069 20101 Verbose MediaRouter Selecting route: RouteInfo{ name=JBL T450BT, description=Аудио по Bluetooth, status=null, category=RouteCategory{ name=Система types=ROUTE_TYPE_LIVE_AUDIO ROUTE_TYPE_LIVE_VIDEO groupable=false }, supportedTypes=ROUTE_TYPE_LIVE_AUDIO , presentationDisplay=null }
2021.03.30 18:07:28.528 20069 20069 Warn UnityMain type=1400 audit(0.0:2904612): avc: granted { read } for pid=20069 name="86bdb21d9db6b2e995acd3ccf48d633f" dev="sdcardfs" ino=74636 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:28.528 20069 20069 Warn UnityMain type=1400 audit(0.0:2904613): avc: granted { read open } for pid=20069 path="/storage/emulated/0/Android/data/com.MarymarinCompany.TheFlames/cache/UnityShaderCache/86bdb21d9db6b2e995acd3ccf48d633f" dev="sdcardfs" ino=74636 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:28.544 20069 20069 Warn UnityMain type=1400 audit(0.0:2904614): avc: granted { read } for pid=20069 name="8ed5ebc4840489a57fabfcc302306155" dev="sdcardfs" ino=60301 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:28.544 20069 20069 Warn UnityMain type=1400 audit(0.0:2904615): avc: granted { read open } for pid=20069 path="/storage/emulated/0/Android/data/com.MarymarinCompany.TheFlames/cache/UnityShaderCache/8ed5ebc4840489a57fabfcc302306155" dev="sdcardfs" ino=60301 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:28.576 20069 20101 Error : APS:IFLoad:importExternalFunctions, search function createNewHwApsUtils failed, dlsym err:undefined symbol createNewHwApsUtils
2021.03.30 18:07:28.576 20069 20101 Debug APS:importExternalFunctions OK
2021.03.30 18:07:28.668 20069 20145 Info IL2CPP Locale ru-BY
2021.03.30 18:07:28.668 20069 20069 Warn Thread-4 type=1400 audit(0.0:2904616): avc: granted { read } for pid=20069 name="mscorlib.dll-resources.dat" dev="sdcardfs" ino=30188 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:30.568 20069 20069 Warn CloudJob.Worker type=1400 audit(0.0:2904619): avc: granted { read } for pid=20069 name="config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:30.568 20069 20069 Warn CloudJob.Worker type=1400 audit(0.0:2904620): avc: granted { read open } for pid=20069 path="/storage/emulated/0/Android/data/com.MarymarinCompany.TheFlames/files/Unity/e7efd306-e224-4ee3-b512-0c148961f562/Analytics/config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:30.568 20069 20069 Warn CloudJob.Worker type=1400 audit(0.0:2904621): avc: granted { read } for pid=20069 name="values" dev="sdcardfs" ino=17802 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:30.568 20069 20069 Warn CloudJob.Worker type=1400 audit(0.0:2904622): avc: granted { read open } for pid=20069 path="/storage/emulated/0/Android/data/com.MarymarinCompany.TheFlames/files/Unity/e7efd306-e224-4ee3-b512-0c148961f562/Analytics/values" dev="sdcardfs" ino=17802 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:30.612 20069 20069 Warn UnityMain type=1400 audit(0.0:2904623): avc: granted { read write } for pid=20069 name="YourBestGame.fun" dev="sdcardfs" ino=42928 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:30.686 20069 20101 Info Unity Initializing UnityPurchasing via Codeless IAP
2021.03.30 18:07:30.686 20069 20101 Info Unity UnityEngine.Purchasing.CodelessIAPStoreListener:CreateCodelessIAPStoreListenerInstance()
2021.03.30 18:07:30.686 20069 20101 Info Unity
2021.03.30 18:07:30.686 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:30.686 20069 20101 Info Unity
2021.03.30 18:07:30.711 20069 20101 Info Unity UnityIAP Version: 2.2.7
2021.03.30 18:07:30.711 20069 20101 Info Unity UnityEngine.Purchasing.StandardPurchasingModule:Instance(AppStore)
2021.03.30 18:07:30.711 20069 20101 Info Unity UnityEngine.Purchasing.CodelessIAPStoreListener:InitializePurchasing()
2021.03.30 18:07:30.711 20069 20101 Info Unity
2021.03.30 18:07:30.711 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:30.711 20069 20101 Info Unity
2021.03.30 18:07:30.798 20069 20101 Verbose AudioManager getStreamVolume streamType: 3 volume: 0
2021.03.30 18:07:30.893 20069 20111 Debug NetworkSecurityConfig No Network Security Config specified, using platform default
2021.03.30 18:07:31.225 20069 20101 Error Unity AndroidJavaException: java.lang.ClassNotFoundException: com.google.android.gms.games.Games
2021.03.30 18:07:31.225 20069 20101 Error Unity java.lang.ClassNotFoundException: com.google.android.gms.games.Games
2021.03.30 18:07:31.225 20069 20101 Error Unity at java.lang.Class.classForName(Native Method)
2021.03.30 18:07:31.225 20069 20101 Error Unity at java.lang.Class.forName(Class.java:454)
2021.03.30 18:07:31.225 20069 20101 Error Unity at com.unity3d.player.UnityPlayer.nativeRender(Native Method)
2021.03.30 18:07:31.225 20069 20101 Error Unity at com.unity3d.player.UnityPlayer.access$300(Unknown Source:0)
2021.03.30 18:07:31.225 20069 20101 Error Unity at com.unity3d.player.UnityPlayer$e$1.handleMessage(Unknown Source:95)
2021.03.30 18:07:31.225 20069 20101 Error Unity at android.os.Handler.dispatchMessage(Handler.java:103)
2021.03.30 18:07:31.225 20069 20101 Error Unity at android.os.Looper.loop(Looper.java:213)
2021.03.30 18:07:31.225 20069 20101 Error Unity at com.unity3d.player.UnityPlayer$e.run(Unknown Source:20)
2021.03.30 18:07:31.225 20069 20101 Error Unity Caused by: java.lang.ClassNotFoundException: com.google.android.gms.games.Games
2021.03.30 18:07:31.225 20069 20101 Error Unity ... 8 more
2021.03.30 18:07:31.225 20069 20101 Error Unity at UnityEngine.AndroidJNISafe.CheckException () [0x00000] in <00000000000000000000000000000000>:0
2021.03.30 18:07:31.225 20069 20101 Error Unity at UnityEngine.AndroidJNISafe.FindClass (System.String name) [0x00000] in <00000000000000000000000000000000>:0
2021.03.30 18:07:31.225 20069 20101 Error Unity at UnityEngine.AndroidJavaClass._AndroidJavaClass (System.String className) [0x00000] in <000000000000
2021.03.30 18:07:31.266 20069 20101 Warn Unity Unavailable product x2_the_flames-x2_the_flames
2021.03.30 18:07:31.266 20069 20101 Warn Unity UnityEngine.Purchasing.PurchasingManager:HasAvailableProductsToPurchase(Boolean)
2021.03.30 18:07:31.266 20069 20101 Warn Unity UnityEngine.Purchasing.PurchasingManager:CheckForInitialization()
2021.03.30 18:07:31.266 20069 20101 Warn Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.266 20069 20101 Warn Unity System.Action:Invoke()
2021.03.30 18:07:31.266 20069 20101 Warn Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.266 20069 20101 Warn Unity
2021.03.30 18:07:31.266 20069 20101 Warn Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.266 20069 20101 Warn Unity
2021.03.30 18:07:31.269 20069 20101 Info Unity Already recorded transaction bgjjjcbpppeepameedndkdda.AO-J1Ow4UnIu-2i-NOxuDAvO-9xhKqkTEAmcqaxXUB4ox1fzFjWWJNB2p_DdgKDxNOCqTa1QHhloowQ4TuZDlGEdiiFAQiQfxzEJmn1mzfaoCmfhwD1vLj8
2021.03.30 18:07:31.269 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.269 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.269 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.269 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.269 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.269 20069 20101 Info Unity
2021.03.30 18:07:31.269 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.269 20069 20101 Info Unity
2021.03.30 18:07:31.282 20069 20101 Info Unity Already recorded transaction njcpopfpkodhdkjdjgmcaphc.AO-J1Owcak2QRx3-bhVnMs21npc4Goi4uztK4XB1SsGZwQhnU98NqBKxTwxYUEb-fQlvT1p0eO--7t52CSKDtziG6Ixv3Xq6FvRr9vQj12njuhY6p0kcQP0
2021.03.30 18:07:31.282 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.282 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.282 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.282 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.282 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.282 20069 20101 Info Unity
2021.03.30 18:07:31.282 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.282 20069 20101 Info Unity
2021.03.30 18:07:31.297 20069 20101 Info Unity Already recorded transaction ifocodmlniphoiaioeaneien.AO-J1Ow5T8IjKkgJzrM2B4FwLdZfLjQoOt7LLsp7pFewEy0uxQ9iiyp-ry4NInX0dBpe3eCMURA_i2EYssLbwpY2r3iXGtJVElcQ3WDtzhBL0-DHlW-Ojoc
2021.03.30 18:07:31.297 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.297 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.297 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.297 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.297 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.297 20069 20101 Info Unity
2021.03.30 18:07:31.297 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.297 20069 20101 Info Unity
2021.03.30 18:07:31.312 20069 20101 Info Unity Already recorded transaction mehbjalenohhdkbekjhimbki.AO-J1Ow1ssK2go0qnutWo_Ei_VgraBRrXhkI92TC3orHSAwJD9xkbmBI-4ao61aEpHWgJ6ZURvEfBCZBe2FPl5sc3fkthZyoz2tBt1v7NOy4yvjRovaeqOI
2021.03.30 18:07:31.312 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.312 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.312 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.312 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.312 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.312 20069 20101 Info Unity
2021.03.30 18:07:31.312 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.312 20069 20101 Info Unity
2021.03.30 18:07:31.324 20069 20101 Error Unity Purchase not correctly processed for product "5weapon_the_flames". Add an active IAPButton to process this purchase, or add an IAPListener to receive any unhandled purchase events.
2021.03.30 18:07:31.324 20069 20101 Error Unity UnityEngine.Purchasing.CodelessIAPStoreListener:ProcessPurchase(PurchaseEventArgs)
2021.03.30 18:07:31.324 20069 20101 Error Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.324 20069 20101 Error Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.324 20069 20101 Error Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.324 20069 20101 Error Unity System.Action:Invoke()
2021.03.30 18:07:31.324 20069 20101 Error Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.324 20069 20101 Error Unity
2021.03.30 18:07:31.324 20069 20101 Error Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.324 20069 20101 Error Unity
2021.03.30 18:07:31.327 20069 20101 Info Unity Already recorded transaction pcomodhhecncbbigbmjpimim.AO-J1Ox8CERcZ5UXqv8y3Aw3mRSfF2cmTATLJbiT9Neq1lumfKg90apqYhULyp7iF2z0lNpLSNm-mGoRHYzhgzkFRaBPVQA-ycPDlXU-OGzRKEV-TinkCow
2021.03.30 18:07:31.327 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.327 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.327 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.327 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.327 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.327 20069 20101 Info Unity
2021.03.30 18:07:31.327 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.327 20069 20101 Info Unity
2021.03.30 18:07:31.343 20069 20101 Info Unity Already recorded transaction edmphhbpmbppfgebjpfefplj.AO-J1OzfA6cTT9VsMwXvIbr2WAX78z7rTGQ-zdYUz1a2RY__c6cl66roUExuVyAE7YBvmvtG1SmAMqHmlAB_RYFxjVPMQ8h6TqfQ4JKOrsZ9NWVxqGNEqEo
2021.03.30 18:07:31.343 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.343 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.343 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.343 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.343 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.343 20069 20101 Info Unity
2021.03.30 18:07:31.343 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.343 20069 20101 Info Unity
2021.03.30 18:07:31.357 20069 20101 Info Unity Already recorded transaction jgghngnkdeagiolfgbpldppd.AO-J1OwOnufppd_SVr29A6se_8pKYHizxYY8KqHljQ2PvfqOc1LBb6oAdVNLxF9pE6g3VDoS0F3Qj9wCZxrpgLXO-_L2tWlelZOIfC16Eqaa8-mT7kp3LKU
2021.03.30 18:07:31.357 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.357 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.357 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.357 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.357 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.357 20069 20101 Info Unity
2021.03.30 18:07:31.357 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.357 20069 20101 Info Unity
2021.03.30 18:07:31.380 20069 20101 Info Unity Already recorded transaction bkieopkdddnckciiecbcoced.AO-J1OwV15StUF7WG3hbdMPdIJz9aZi-K2OKvITThLJ5dhjMWUSALrthZI1S82Hlj5RFVgQF0-JUzWOBHFSnzZHa77TBShwPIaMAVIuGMdLDNn6wa9PYvoI
2021.03.30 18:07:31.380 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.380 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.380 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.380 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.380 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.380 20069 20101 Info Unity
2021.03.30 18:07:31.380 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.380 20069 20101 Info Unity
2021.03.30 18:07:31.409 20069 20101 Info Unity Already recorded transaction dfkkffnncmiamgfmooppkeam.AO-J1OwsROt-8chTlRURPDY9z2KOEnnTnC8OJ5u1IIbj7RxDDSQwaWZbbANRsI5urvoyh_nujw8HzMm0w37PJb56eU7e-HQMJE8GPRR_Gow_U4C2CG3qu6U
2021.03.30 18:07:31.409 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.409 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.409 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.409 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.409 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.409 20069 20101 Info Unity
2021.03.30 18:07:31.409 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.409 20069 20101 Info Unity
2021.03.30 18:07:31.430 20069 20101 Info Unity Already recorded transaction cnecagdpdkbpnnbgacmkdneg.AO-J1OxcJIuCsoOeb205WNFWhtrY5xlsWNSwjnPukFjDx8Oj1OvuBwSGRhg8uCG-JR4dknt9xNRWI2j66MMQbMW4a2X9EwVwCrblhQcVvwZ6jBUL8ZMskT8
2021.03.30 18:07:31.430 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.430 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.430 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.430 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.430 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.430 20069 20101 Info Unity
2021.03.30 18:07:31.430 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.430 20069 20101 Info Unity
2021.03.30 18:07:31.461 20069 20101 Info Unity Already recorded transaction naojieafonkhahohfilfioai.AO-J1Ox9PSNT0oQW3RBKNtF9oxuMxyYuvtI4-0XtTIaY8DEI3XnEGU7OEp-ul78zjr7UTk9y_10U5wZIlTaacmhDvqkzW_J5Nigo6WOULpM0NOLNap4Fx1M
2021.03.30 18:07:31.461 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.461 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.461 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.461 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.461 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.461 20069 20101 Info Unity
2021.03.30 18:07:31.461 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.461 20069 20101 Info Unity
2021.03.30 18:07:31.487 20069 20101 Info Unity Already recorded transaction olkgelkckiijjpmcehjnjhlk.AO-J1Owkgm2uoQ_lqyEiaLcnc8kvxeAfyozUgGh-BolZav7k96xtlWwCuHiodd08GgB0LhLvOSUgTbdTqoRFv6AZeLcBXz8ZqEOXO4cfeiCFoBWlOan-Nn4
2021.03.30 18:07:31.487 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.487 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.487 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.487 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.487 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.487 20069 20101 Info Unity
2021.03.30 18:07:31.487 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.487 20069 20101 Info Unity
2021.03.30 18:07:31.521 20069 20101 Info Unity Already recorded transaction nbjgkloaadhidddmfjddaahf.AO-J1Oy3eWYV_bYsjhcC4yX9AfmxNAdQ0I2xiTCFPOKm-Yftp-FFPzWDN0ksKGbYtcNnCQ_ChKG3-LKuaY0_Z3T_hVU5OKMB17-GSdxO5XdBhf6-EVdJX7o
2021.03.30 18:07:31.521 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.521 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.521 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.521 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.521 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.521 20069 20101 Info Unity
2021.03.30 18:07:31.521 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.521 20069 20101 Info Unity
2021.03.30 18:07:31.549 20069 20101 Info Unity Already recorded transaction bcnlnocokhficocjljfpopmh.AO-J1Owpzbv_cO-kwrNVoMp_WhHaShJ3tObUBOIxyDDVWU5BlciLWwc0IsdQMJt4P0IDwhYyIo9YP4W1wJiARv-oMSTFVKNgKE6bb10b5hxLJY02eFEJmt8
2021.03.30 18:07:31.549 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseIfNew(Product)
2021.03.30 18:07:31.549 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:ProcessPurchaseOnStart()
2021.03.30 18:07:31.549 20069 20101 Info Unity UnityEngine.Purchasing.PurchasingManager:OnProductsRetrieved(List`1)
2021.03.30 18:07:31.549 20069 20101 Info Unity System.Action:Invoke()
2021.03.30 18:07:31.549 20069 20101 Info Unity UnityEngine.Purchasing.Extension.UnityUtil:Update()
2021.03.30 18:07:31.549 20069 20101 Info Unity
2021.03.30 18:07:31.549 20069 20101 Info Unity (Filename: ./Runtime/Export/Debug/Debug.bindings.h Line: 35)
2021.03.30 18:07:31.549 20069 20101 Info Unity
2021.03.30 18:07:31.592 20069 20069 Warn Thread-18 type=1400 audit(0.0:2904632): avc: granted { write } for pid=20069 name="config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:31.592 20069 20069 Warn Thread-18 type=1400 audit(0.0:2904633): avc: granted { write open } for pid=20069 path="/storage/emulated/0/Android/data/com.MarymarinCompany.TheFlames/files/Unity/e7efd306-e224-4ee3-b512-0c148961f562/Analytics/config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:31.596 20069 20069 Warn Thread-18 type=1400 audit(0.0:2904634): avc: granted { write } for pid=20069 name="config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:31.596 20069 20069 Warn CloudJob.Worker type=1400 audit(0.0:2904635): avc: granted { read } for pid=20069 name="config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:31.596 20069 20069 Warn CloudJob.Worker type=1400 audit(0.0:2904636): avc: granted { read open } for pid=20069 path="/storage/emulated/0/Android/data/com.MarymarinCompany.TheFlames/files/Unity/e7efd306-e224-4ee3-b512-0c148961f562/Analytics/config" dev="sdcardfs" ino=21007 scontext=u:r:untrusted_app:s0:c122,c258,c512,c768 tcontext=u:object_r:sdcardfs:s0 tclass=file
2021.03.30 18:07:33.047 20069 20069 Debug AwareBitmapCacher handleInit switch not opened pid=20069
2021.03.30 18:08:02.021 20069 20069 Warn Settings Setting device_provisioned has moved from android.provider.Settings.Secure to android.provider.Settings.Global.
2021.03.30 18:08:02.021 20069 20069 Verbose HiTouch_HiTouchSensor User setup is finished.
2021.03.30 18:08:33.201 20069 20142 Info : recheck for pg, sessionid 9625
mark342005
UNIт
 
Сообщения: 96
Зарегистрирован: 19 май 2020, 20:20

Re: Таблица лидеров в юнити

Сообщение mark342005 31 мар 2021, 19:53

Немного по тыкался и осталась одна ошибка в логе при подключении,
2021.03.31 18:52:00.697 5055 5055 Error SignInRequest Setting result error status code to: 16

Теперь выскакивает плашка подключения, но не подключается к гугл аккаунту
mark342005
UNIт
 
Сообщения: 96
Зарегистрирован: 19 май 2020, 20:20


Вернуться в Общие вопросы

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

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