diff --git a/coding/internal/file64_api.hpp b/coding/internal/file64_api.hpp index f853a83ca44..3b12db7f2f5 100644 --- a/coding/internal/file64_api.hpp +++ b/coding/internal/file64_api.hpp @@ -6,14 +6,6 @@ #define fseek64 _fseeki64 #define ftell64 _ftelli64 -#elif defined(OMIM_OS_TIZEN) - static_assert(sizeof(__off64_t) == 8, ""); - #define fseek64 fseeko64 - #define ftell64 ftello64 - - #define __LARGE64_FILES - typedef uint64_t _fpos64_t; - #elif defined(OMIM_OS_WINDOWS_MINGW) #define fseek64 fseeko64 #define ftell64 ftello64 diff --git a/coding/internal/file_data.cpp b/coding/internal/file_data.cpp index de8be0f5a36..11764638e39 100644 --- a/coding/internal/file_data.cpp +++ b/coding/internal/file_data.cpp @@ -22,10 +22,6 @@ #include #endif -#ifdef OMIM_OS_TIZEN -#include "tizen/inc/FIo.hpp" -#endif - using namespace std; namespace base @@ -34,14 +30,7 @@ FileData::FileData(string const & fileName, Op op) : m_FileName(fileName), m_Op(op) { char const * const modes [] = {"rb", "wb", "r+b", "ab"}; -#ifdef OMIM_OS_TIZEN - m_File = new Tizen::Io::File(); - result const error = m_File->Construct(fileName.c_str(), modes[op]); - if (error == E_SUCCESS) - { - return; - } -#else + m_File = fopen(fileName.c_str(), modes[op]); if (m_File) return; @@ -53,7 +42,6 @@ FileData::FileData(string const & fileName, Op op) if (m_File) return; } -#endif // if we're here - something bad is happened if (m_Op != OP_READ) @@ -64,15 +52,11 @@ FileData::FileData(string const & fileName, Op op) FileData::~FileData() { -#ifdef OMIM_OS_TIZEN - delete m_File; -#else if (m_File) { if (fclose(m_File)) LOG(LWARNING, ("Error closing file", GetErrorProlog())); } -#endif } string FileData::GetErrorProlog() const @@ -93,13 +77,6 @@ static int64_t const INVALID_POS = -1; uint64_t FileData::Size() const { -#ifdef OMIM_OS_TIZEN - Tizen::Io::FileAttributes attr; - result const error = Tizen::Io::File::GetAttributes(m_FileName.c_str(), attr); - if (IsFailed(error)) - MYTHROW(Reader::SizeException, (m_FileName, m_Op, error)); - return attr.GetFileSize(); -#else int64_t const pos = ftell64(m_File); if (pos == INVALID_POS) MYTHROW(Reader::SizeException, (GetErrorProlog(), pos)); @@ -116,91 +93,52 @@ uint64_t FileData::Size() const ASSERT_GREATER_OR_EQUAL(size, 0, ()); return static_cast(size); -#endif } void FileData::Read(uint64_t pos, void * p, size_t size) { -#ifdef OMIM_OS_TIZEN - result error = m_File->Seek(Tizen::Io::FILESEEKPOSITION_BEGIN, pos); - if (IsFailed(error)) - MYTHROW(Reader::ReadException, (error, pos)); - int const bytesRead = m_File->Read(p, size); - error = GetLastResult(); - if (static_cast(bytesRead) != size || IsFailed(error)) - MYTHROW(Reader::ReadException, (m_FileName, m_Op, error, bytesRead, pos, size)); -#else if (fseek64(m_File, static_cast(pos), SEEK_SET)) MYTHROW(Reader::ReadException, (GetErrorProlog(), pos)); size_t const bytesRead = fread(p, 1, size, m_File); if (bytesRead != size || ferror(m_File)) MYTHROW(Reader::ReadException, (GetErrorProlog(), bytesRead, pos, size)); -#endif } uint64_t FileData::Pos() const { -#ifdef OMIM_OS_TIZEN - int const pos = m_File->Tell(); - result const error = GetLastResult(); - if (IsFailed(error)) - MYTHROW(Writer::PosException, (m_FileName, m_Op, error, pos)); - return pos; -#else int64_t const pos = ftell64(m_File); if (pos == INVALID_POS) MYTHROW(Writer::PosException, (GetErrorProlog(), pos)); ASSERT_GREATER_OR_EQUAL(pos, 0, ()); return static_cast(pos); -#endif } void FileData::Seek(uint64_t pos) { ASSERT_NOT_EQUAL(m_Op, OP_APPEND, (m_FileName, m_Op, pos)); -#ifdef OMIM_OS_TIZEN - result const error = m_File->Seek(Tizen::Io::FILESEEKPOSITION_BEGIN, pos); - if (IsFailed(error)) - MYTHROW(Writer::SeekException, (m_FileName, m_Op, error, pos)); -#else if (fseek64(m_File, static_cast(pos), SEEK_SET)) MYTHROW(Writer::SeekException, (GetErrorProlog(), pos)); -#endif } void FileData::Write(void const * p, size_t size) { -#ifdef OMIM_OS_TIZEN - result const error = m_File->Write(p, size); - if (IsFailed(error)) - MYTHROW(Writer::WriteException, (m_FileName, m_Op, error, size)); -#else size_t const bytesWritten = fwrite(p, 1, size, m_File); if (bytesWritten != size || ferror(m_File)) MYTHROW(Writer::WriteException, (GetErrorProlog(), bytesWritten, size)); -#endif } void FileData::Flush() { -#ifdef OMIM_OS_TIZEN - result const error = m_File->Flush(); - if (IsFailed(error)) - MYTHROW(Writer::WriteException, (m_FileName, m_Op, error)); -#else if (fflush(m_File)) MYTHROW(Writer::WriteException, (GetErrorProlog())); -#endif } void FileData::Truncate(uint64_t sz) { #ifdef OMIM_OS_WINDOWS int const res = _chsize(fileno(m_File), sz); -#elif defined OMIM_OS_TIZEN - result res = m_File->Truncate(sz); #else int const res = ftruncate(fileno(m_File), static_cast(sz)); #endif @@ -231,9 +169,8 @@ bool CheckFileOperationResult(int res, string const & fName) { if (!res) return true; -#if !defined(OMIM_OS_TIZEN) + LOG(LWARNING, ("File operation error for file:", fName, "-", strerror(errno))); -#endif // additional check if file really was removed correctly uint64_t dummy; @@ -248,27 +185,13 @@ bool CheckFileOperationResult(int res, string const & fName) bool DeleteFileX(string const & fName) { - int res; - -#ifdef OMIM_OS_TIZEN - res = IsFailed(Tizen::Io::File::Remove(fName.c_str())) ? -1 : 0; -#else - res = remove(fName.c_str()); -#endif - + int res = remove(fName.c_str()); return CheckFileOperationResult(res, fName); } bool RenameFileX(string const & fOld, string const & fNew) { - int res; - -#ifdef OMIM_OS_TIZEN - res = IsFailed(Tizen::Io::File::Move(fOld.c_str(), fNew.c_str())) ? -1 : 0; -#else - res = rename(fOld.c_str(), fNew.c_str()); -#endif - + int res = rename(fOld.c_str(), fNew.c_str()); return CheckFileOperationResult(res, fOld); } diff --git a/coding/internal/file_data.hpp b/coding/internal/file_data.hpp index 9492c9c79bf..0bfe136daae 100644 --- a/coding/internal/file_data.hpp +++ b/coding/internal/file_data.hpp @@ -12,16 +12,6 @@ #include #include -#ifdef OMIM_OS_TIZEN -namespace Tizen -{ - namespace Io - { - class File; - } -} -#endif - namespace base { class FileData @@ -47,12 +37,7 @@ class FileData std::string const & GetName() const { return m_FileName; } private: - -#ifdef OMIM_OS_TIZEN - Tizen::Io::File * m_File; -#else FILE * m_File; -#endif std::string m_FileName; Op m_Op; diff --git a/docs/CONTRIBUTING.md b/docs/CONTRIBUTING.md index 080958f0f56..da63b85aad2 100644 --- a/docs/CONTRIBUTING.md +++ b/docs/CONTRIBUTING.md @@ -120,7 +120,6 @@ Some of these contain their own README files. * `software_renderer` - * `stats` - Alohalytics statistics. * `testing` - common interfaces for tests. -* `tizen` - Tizen application. * `tools` - tools for building packages and maps, for testing etc. * `track_analyzing` - * `track_generator` - Generate smooth tracks based on waypoints from KML. diff --git a/platform/http_thread_tizen.cpp b/platform/http_thread_tizen.cpp deleted file mode 100644 index 455741e5a2a..00000000000 --- a/platform/http_thread_tizen.cpp +++ /dev/null @@ -1,288 +0,0 @@ -#include "platform/http_thread_tizen.hpp" -#include"../base/logging.hpp" - -#include "platform/platform.hpp" -#include "platform/http_thread_callback.hpp" -#include "platform/tizen_utils.hpp" - -#include - -using namespace std; -using namespace Tizen::Net::Http; - -using Tizen::Base::String; -using Tizen::Base::LongLong; -using Tizen::Base::ByteBuffer; -using Tizen::Base::Collection::IEnumerator; - -HttpThread::HttpThread(std::string const & url, - downloader::IHttpThreadCallback & callback, - int64_t beg, - int64_t end, - int64_t size, - string const & pb) - : m_callback(callback), - m_begRange(beg), m_endRange(end), - m_downloadedBytes(0), m_expectedSize(size), - m_url(url), m_pb(pb), - m_pSession(0), - m_pTransaction(0) -{ - result r = E_SUCCESS; - - String * pProxyAddr = 0; - String hostAddr(m_url.c_str()); - HttpHeader * header = 0; - - LOG(LDEBUG, ("Creating HttpSession", m_url)); - m_pSession = new HttpSession(); - r = m_pSession->Construct(NET_HTTP_SESSION_MODE_NORMAL, pProxyAddr, hostAddr, header); - if (r != E_SUCCESS) - { - LOG(LERROR, ("HttpSession Construction error:", r)); - return; - } - - // Open a new HttpTransaction. - m_pTransaction = m_pSession->OpenTransactionN(); - if ((r = GetLastResult()) != E_SUCCESS) - { - LOG(LERROR, ("OpenTransactionN", GetLastResult())); - return; - } - - m_pTransaction->AddHttpTransactionListener(*this); - m_pTransaction->SetHttpProgressListener(*this); - - HttpRequest * pRequest = m_pTransaction->GetRequest(); - pRequest->SetUri(m_url.c_str()); - - HttpHeader * pHeader = pRequest->GetHeader(); - - // use Range header only if we don't download whole file from start - if (!(m_begRange == 0 && m_endRange < 0)) - { - if (m_endRange > 0) - { - LOG(LDEBUG, (m_url, "downloading range [", m_begRange, ",", m_endRange, "]")); - String range("bytes="); - range.Append(m_begRange); - range.Append('-'); - range.Append(m_endRange); - pHeader->AddField(L"Range", range); - } - else - { - LOG(LDEBUG, (m_url, "resuming download from position", m_begRange)); - String range("bytes="); - range.Append(m_begRange); - range.Append('-'); - pHeader->AddField("Range", range); - } - } - - // set user-agent with unique client id only for mapswithme requests - if (m_url.find("mapswithme.com") != string::npos) - { - static string const uid = GetPlatform().UniqueClientId(); - pHeader->AddField("User-Agent", uid.c_str()); - } - - if (m_pb.empty()) - { - pRequest->SetMethod(NET_HTTP_METHOD_GET); - } - else - { - pRequest->SetMethod(NET_HTTP_METHOD_POST); - pHeader->AddField("Content-Type", "application/json"); - int64_t const sz = m_pb.size(); - String length; - length.Append(sz); - pHeader->AddField("Content-Length", length); - ByteBuffer body; - body.Construct((const byte *)m_pb.c_str(), 0, sz, sz); - pRequest->WriteBody(body); - } - LOG(LDEBUG, ("Connecting to", m_url, "[", m_begRange, ",", m_endRange, "]", "size=", m_expectedSize)); - m_pTransaction->Submit(); -} - -HttpThread::~HttpThread() -{ - if (m_pTransaction) - m_pTransaction->RemoveHttpTransactionListener(*this); - if (m_pSession && m_pTransaction) - m_pSession->CloseTransaction(*m_pTransaction); - delete m_pTransaction; - delete m_pSession; -} - - -void HttpThread::OnTransactionHeaderCompleted(HttpSession & httpSession, - HttpTransaction & httpTransaction, - int headerLen, bool bAuthRequired) -{ - result r = E_SUCCESS; - HttpResponse * pResponse = httpTransaction.GetResponse(); - if ((r = GetLastResult()) != E_SUCCESS) - { - LOG(LWARNING, ("httpTransaction.GetResponse error", r)); - httpSession.CancelTransaction(httpTransaction); - httpSession.CloseTransaction(httpTransaction); - m_callback.OnFinish(-1, m_begRange, m_endRange); - return; - } - - int const httpStatusCode = pResponse->GetHttpStatusCode(); - // When we didn't ask for chunks, code should be 200 - // When we asked for a chunk, code should be 206 - bool const isChunk = !(m_begRange == 0 && m_endRange < 0); - if ((isChunk && httpStatusCode != 206) || (!isChunk && httpStatusCode != 200)) - { - LOG(LWARNING, ("Http request to", m_url, " aborted with HTTP code", httpStatusCode)); - httpSession.CancelTransaction(httpTransaction); - r = httpSession.CloseTransaction(httpTransaction); - m_callback.OnFinish(-4, m_begRange, m_endRange); - LOG(LDEBUG, ("CloseTransaction result", r)); - return; - } - else if (m_expectedSize > 0) - { - bool bGoodSize = false; - // try to get content length from Content-Range header first - HttpHeader * pHeader = pResponse->GetHeader(); - LOG(LDEBUG, ("Header:", FromTizenString(*pHeader->GetRawHeaderN()))); - IEnumerator * pValues = pHeader->GetFieldValuesN("Content-Range"); - if (GetLastResult() == E_SUCCESS) - { - bGoodSize = true; - pValues->MoveNext(); // strange, but works - String const * pString = dynamic_cast(pValues->GetCurrent()); - - if (pString->GetLength()) - { - int lastInd; - pString->LastIndexOf ('/', pString->GetLength()-1, lastInd); - int64_t value = -1; - String tail; - pString->SubString(lastInd + 1, tail); - LOG(LDEBUG, ("tail value:",FromTizenString(tail))); - LongLong::Parse(tail, value); - if (value != m_expectedSize) - { - LOG(LWARNING, ("Http request to", m_url, - "aborted - invalid Content-Range:", value, " expected:", m_expectedSize )); - httpSession.CancelTransaction(httpTransaction); - r = httpSession.CloseTransaction(httpTransaction); - m_callback.OnFinish(-2, m_begRange, m_endRange); - LOG(LDEBUG, ("CloseTransaction result", r)); - } - } - } - else - { - pValues = pHeader->GetFieldValuesN("Content-Length"); - if (GetLastResult() == E_SUCCESS) - { - bGoodSize = true; - pValues->MoveNext(); // strange, but works - String const * pString = dynamic_cast(pValues->GetCurrent()); - if (pString) - { - int64_t value = -1; - LongLong::Parse(*pString, value); - if (value != m_expectedSize) - { - LOG(LWARNING, ("Http request to", m_url, - "aborted - invalid Content-Length:", value, " expected:", m_expectedSize)); - httpSession.CancelTransaction(httpTransaction); - r = httpSession.CloseTransaction(httpTransaction); - m_callback.OnFinish(-2, m_begRange, m_endRange); - LOG(LDEBUG, ("CloseTransaction result", r)); - } - } - } - } - - if (!bGoodSize) - { - LOG(LWARNING, ("Http request to", m_url, - "aborted, server didn't send any valid file size")); - httpSession.CancelTransaction(httpTransaction); - r = httpSession.CloseTransaction(httpTransaction); - m_callback.OnFinish(-2, m_begRange, m_endRange); - LOG(LDEBUG, ("CloseTransaction result", r)); - } - } -} - -void HttpThread::OnHttpDownloadInProgress(HttpSession & /*httpSession*/, - Tizen::Net::Http::HttpTransaction & httpTransaction, - int64_t currentLength, - int64_t totalLength) -{ - HttpResponse * pResponse = httpTransaction.GetResponse(); - if (pResponse->GetHttpStatusCode() == HTTP_STATUS_OK || pResponse->GetHttpStatusCode() == HTTP_STATUS_PARTIAL_CONTENT) - { - ByteBuffer * pBuffer = 0; - pBuffer = pResponse->ReadBodyN(); - int const chunkSize = pBuffer->GetLimit(); - m_downloadedBytes += chunkSize; - m_callback.OnWrite(m_begRange + m_downloadedBytes - chunkSize, pBuffer->GetPointer(), chunkSize); - delete pBuffer; - } - else - LOG(LERROR, ("OnHttpDownloadInProgress ERROR", FromTizenString(pResponse->GetStatusText()))); -} - -void HttpThread::OnTransactionCompleted(HttpSession & /*httpSession*/, - HttpTransaction & httpTransaction) -{ - HttpResponse * pResponse = httpTransaction.GetResponse(); - if (pResponse->GetHttpStatusCode() == HTTP_STATUS_OK - || pResponse->GetHttpStatusCode() == HTTP_STATUS_PARTIAL_CONTENT) - { - m_callback.OnFinish(200, m_begRange, m_endRange); - } - else - { - LOG(LWARNING, ("Download has finished with status code:", pResponse->GetHttpStatusCode(), - " and text:", FromTizenString(pResponse->GetStatusText() ))); - m_callback.OnFinish(-100, m_begRange, m_endRange); - } -} - -void HttpThread::OnTransactionAborted(HttpSession & /*httpSession*/, - HttpTransaction & /*httpTransaction*/, - result r) -{ - LOG(LINFO, ("OnTransactionAborted result:", r)); - m_callback.OnFinish(-100, m_begRange, m_endRange); -} - -void HttpThread::OnTransactionCertVerificationRequiredN(HttpSession & /*httpSession*/, - HttpTransaction & /*httpTransaction*/, - String * /*pCert*/) -{ - LOG(LERROR, ("OnTransactionCertVerificationRequiredN")); -} - -void HttpThread::OnTransactionReadyToRead(HttpSession & /*httpSession*/, - HttpTransaction & /*httpTransaction*/, - int /*availableBodyLen*/) -{ -} - -void HttpThread::OnTransactionReadyToWrite(HttpSession & /*httpSession*/, - HttpTransaction & /*httpTransaction*/, - int /*recommendedChunkSize*/) -{ -} - -void HttpThread::OnHttpUploadInProgress(Tizen::Net::Http::HttpSession & /*httpSession*/, - Tizen::Net::Http::HttpTransaction & /*httpTransaction*/, - int64_t /*currentLength*/, - int64_t /*totalLength*/) -{ -} diff --git a/platform/http_thread_tizen.hpp b/platform/http_thread_tizen.hpp deleted file mode 100644 index 67e8a267977..00000000000 --- a/platform/http_thread_tizen.hpp +++ /dev/null @@ -1,79 +0,0 @@ -#pragma once -#include "base/macros.hpp" - -#include "std/target_os.hpp" - -#pragma clang diagnostic push -#pragma clang diagnostic ignored "-Wignored-qualifiers" -#include -#pragma clang diagnostic pop - -namespace downloader -{ -class IHttpThreadCallback; -} -using namespace Tizen::Net::Http; - -class HttpThread - : public Tizen::Net::Http::IHttpTransactionEventListener - , public Tizen::Net::Http::IHttpProgressEventListener -{ -public: - - HttpThread(std::string const & url, - downloader::IHttpThreadCallback & callback, - int64_t beg, int64_t end, - int64_t size, - std::string const & pb); - ~HttpThread(); - - bool OnStart(void); - - /// - ///Tizen::Net::Http::IHttpTransactionEventListener - /// - virtual void OnTransactionAborted (HttpSession & httpSession, - HttpTransaction & httpTransaction, - result r); - virtual void OnTransactionCertVerificationRequiredN (HttpSession & httpSession, - HttpTransaction & httpTransaction, - Tizen::Base::String *pCert); - virtual void OnTransactionCompleted (HttpSession & httpSession, - HttpTransaction & httpTransaction); - virtual void OnTransactionHeaderCompleted (HttpSession & httpSession, - HttpTransaction & httpTransaction, - int headerLen, bool bAuthRequired); - virtual void OnTransactionReadyToRead (HttpSession & httpSession, - HttpTransaction & httpTransaction, - int availableBodyLen); - virtual void OnTransactionReadyToWrite (HttpSession & httpSession, - HttpTransaction & httpTransaction, - int recommendedChunkSize); - - /// - ///Tizen::Net::Http::IHttpProgressEventListener - /// - virtual void OnHttpDownloadInProgress (HttpSession & httpSession, - HttpTransaction & httpTransaction, - int64_t currentLength, - int64_t totalLength); - virtual void OnHttpUploadInProgress (HttpSession & httpSession, - HttpTransaction & httpTransaction, - int64_t currentLength, - int64_t totalLength); - -private: - downloader::IHttpThreadCallback & m_callback; - - int64_t m_begRange; - int64_t m_endRange; - int64_t m_downloadedBytes; - int64_t m_expectedSize; - std::string const m_url; - std::string const & m_pb; - - HttpSession * m_pSession; - HttpTransaction* m_pTransaction; - - DISALLOW_COPY(HttpThread); -}; diff --git a/platform/location.hpp b/platform/location.hpp index 9ff4fe44ef9..c2d706847ae 100644 --- a/platform/location.hpp +++ b/platform/location.hpp @@ -27,7 +27,7 @@ namespace location EWindowsNative, EAndroidNative, EGoogle, - ETizen, + ETizen, // Deprecated but left here for backward compatibility. EPredictor, EUser }; diff --git a/platform/platform_tizen.cpp b/platform/platform_tizen.cpp deleted file mode 100644 index c36c4fdc918..00000000000 --- a/platform/platform_tizen.cpp +++ /dev/null @@ -1,156 +0,0 @@ -#include "platform.hpp" -#include "constants.hpp" -#include "platform_unix_impl.hpp" -#include "tizen_utils.hpp" -#include "http_thread_tizen.hpp" - -#include -#include -#include -#include - -#include "coding/file_reader.hpp" - -#include "base/logging.hpp" - -#include -#include "tizen/inc/FIo.hpp" - - -Platform::Platform() -{ - Tizen::App::App * pApp = Tizen::App::App::GetInstance(); - // init directories - string app_root = FromTizenString(pApp->GetAppRootPath()); - - m_writableDir = FromTizenString(pApp->GetAppDataPath()); - m_resourcesDir = FromTizenString(pApp->GetAppResourcePath()); - m_settingsDir = m_writableDir + "settings/"; - Tizen::Io::Directory::Create(m_settingsDir.c_str(), true); - - m_tmpDir = m_writableDir + "tmp/"; - Tizen::Io::Directory::Create(m_tmpDir.c_str(), true); - - LOG(LDEBUG, ("App directory:", app_root)); - LOG(LDEBUG, ("Resources directory:", m_resourcesDir)); - LOG(LDEBUG, ("Writable directory:", m_writableDir)); - LOG(LDEBUG, ("Tmp directory:", m_tmpDir)); - LOG(LDEBUG, ("Settings directory:", m_settingsDir)); - LOG(LDEBUG, ("Client ID:", UniqueClientId())); - - m_flags[HAS_BOOKMARKS] = true; - m_flags[HAS_ROTATION] = true; - m_flags[HAS_ROUTING] = true; -} - -// static -void Platform::MkDir(string const & dirName) const -{ - Tizen::Io::Directory::Create(dirName.c_str(), true); -} - -string Platform::UniqueClientId() const -{ - Tizen::App::App * pApp = Tizen::App::App::GetInstance(); - return FromTizenString(pApp->GetAppId()); -} - -string Platform::AdvertisingId() const -{ - return {}; -} - -string Platform::DeviceName() const -{ - return OMIM_OS_NAME; -} - -string Platform::DeviceModel() const -{ - return {}; -} - -void Platform::RunOnGuiThread(TFunctor const & fn) -{ - /// @todo - fn(); -} - -ModelReader * Platform::GetReader(string const & file, string const & searchScope) const -{ - return new FileReader(ReadPathForFile(file, searchScope), READER_CHUNK_LOG_SIZE, - READER_CHUNK_LOG_COUNT); -} - -void Platform::GetFilesByRegExp(string const & directory, string const & regexp, FilesList & res) -{ - pl::EnumerateFilesByRegExp(directory, regexp, res); -} - -bool Platform::GetFileSizeByName(string const & fileName, uint64_t & size) const -{ - try - { - return GetFileSizeByFullPath(ReadPathForFile(fileName), size); - } - catch (RootException const &) - { - return false; - } -} - -int Platform::VideoMemoryLimit() const -{ - return 10 * 1024 * 1024; -} - -int Platform::PreCachingDepth() const -{ - return 3; -} - -Platform::EConnectionType Platform::ConnectionStatus() -{ - // @TODO Add implementation - return EConnectionType::CONNECTION_NONE; -} - -Platform::ChargingStatus Platform::GetChargingStatus() -{ - return Platform::ChargingStatus::Unknown; -} - -void Platform::GetSystemFontNames(FilesList & res) const -{ -} - -extern Platform & GetPlatform() -{ - static Platform platform; - return platform; -} - -class HttpThread; - -namespace downloader -{ - -class IHttpThreadCallback; - -HttpThread * CreateNativeHttpThread(string const & url, - downloader::IHttpThreadCallback & cb, - int64_t beg, - int64_t end, - int64_t size, - string const & pb) -{ - HttpThread * pRes = new HttpThread(url, cb, beg, end, size, pb); - return pRes; -} - -void DeleteNativeHttpThread(HttpThread * request) -{ - delete request; -} - -} diff --git a/platform/preferred_languages.cpp b/platform/preferred_languages.cpp index 049cecc6583..e11c453f509 100644 --- a/platform/preferred_languages.cpp +++ b/platform/preferred_languages.cpp @@ -14,27 +14,19 @@ using namespace std; #if defined(OMIM_OS_MAC) || defined(OMIM_OS_IPHONE) #include #include - #elif defined(OMIM_OS_WINDOWS) #include "std/windows.hpp" // for XP it's not defined #define MUI_LANGUAGE_NAME 0x8 - #elif defined(OMIM_OS_LINUX) #include - #elif defined(OMIM_OS_ANDROID) /// Body for this function is inside android/jni sources string GetAndroidSystemLanguage(); - -#elif defined(OMIM_OS_TIZEN) - #include "tizen_utils.hpp" #else #error "Define language preferences for your platform" - #endif - #ifdef OMIM_OS_WINDOWS struct MSLocale { @@ -126,9 +118,6 @@ void GetSystemPreferred(vector & languages) #elif defined(OMIM_OS_ANDROID) languages.push_back(GetAndroidSystemLanguage()); - -#elif defined(OMIM_OS_TIZEN) - languages.push_back(GetTizenLocale()); #else #error "Define language preferences for your platform" #endif diff --git a/platform/tizen_utils.cpp b/platform/tizen_utils.cpp deleted file mode 100644 index f476d98f45b..00000000000 --- a/platform/tizen_utils.cpp +++ /dev/null @@ -1,752 +0,0 @@ -#include "tizen_utils.hpp" -#include "../../std/vector.hpp" -#include "../../tizen/inc/FBase.hpp" -#include "../base/logging.hpp" -#include "../base/macros.hpp" -#include -#include - -string FromTizenString(Tizen::Base::String const & str_tizen) -{ - string utf8Str; - if (str_tizen.GetLength() == 0) - return utf8Str; - Tizen::Base::ByteBuffer * pBuffer = Tizen::Base::Utility::StringUtil::StringToUtf8N(str_tizen); - if (pBuffer) - { - int byteCount = pBuffer->GetLimit() - 1; // Don't copy Zero at the end - if (byteCount > 0) - { - vector chBuf(byteCount); - pBuffer->GetArray((byte *)&chBuf[0], 0, byteCount); - utf8Str.assign(chBuf.begin(), chBuf.end()); - } - delete pBuffer; - } - return utf8Str; -} - -string GetTizenLocale() -{ - Tizen::Base::String languageCode; - Tizen::System::SettingInfo::GetValue(L"http://tizen.org/setting/locale.language", languageCode); - Tizen::Base::String languageCode_truncated; - languageCode.SubString(0, 3, languageCode_truncated); - return CodeFromISO369_2to_1(FromTizenString(languageCode_truncated)); -} - -string CodeFromISO369_2to_1(string const & code) -{ - static char const * ar [] = - { - "aar", "aa", - "abk", "ab", - "afr", "af", - "aka", "ak", - "sqi", "sq", - "amh", "am", - "ara", "ar", - "arg", "an", - "hye", "hy", - "asm", "as", - "ava", "av", - "ave", "ae", - "aym", "ay", - "aze", "az", - "bak", "ba", - "bam", "bm", - "eus", "eu", - "bel", "be", - "ben", "bn", - "bih", "bh", - "bis", "bi", - "bod", "bo", - "bos", "bs", - "bre", "br", - "bul", "bg", - "mya", "my", - "cat", "ca", - "ces", "cs", - "cha", "ch", - "che", "ce", - "zho", "zh", - "chu", "cu", - "chv", "cv", - "cor", "kw", - "cos", "co", - "cre", "cr", - "cym", "cy", - "ces", "cs", - "dan", "da", - "deu", "de", - "div", "dv", - "nld", "nl", - "dzo", "dz", - "ell", "el", - "eng", "en", - "epo", "eo", - "est", "et", - "eus", "eu", - "ewe", "ee", - "fao", "fo", - "fas", "fa", - "fij", "fj", - "fin", "fi", - "fra", "fr", - "fra", "fr", - "fry", "fy", - "ful", "ff", - "kat", "ka", - "deu", "de", - "gla", "gd", - "gle", "ga", - "glg", "gl", - "glv", "gv", - "ell", "el", - "grn", "gn", - "guj", "gu", - "hat", "ht", - "hau", "ha", - "heb", "he", - "her", "hz", - "hin", "hi", - "hmo", "ho", - "hrv", "hr", - "hun", "hu", - "hye", "hy", - "ibo", "ig", - "ice", "is", - "ido", "io", - "iii", "ii", - "iku", "iu", - "ile", "ie", - "ina", "ia", - "ind", "id", - "ipk", "ik", - "isl", "is", - "ita", "it", - "jav", "jv", - "jpn", "ja", - "kal", "kl", - "kan", "kn", - "kas", "ks", - "kat", "ka", - "kau", "kr", - "kaz", "kk", - "khm", "km", - "kik", "ki", - "kin", "rw", - "kir", "ky", - "kom", "kv", - "kon", "kg", - "kor", "ko", - "kua", "kj", - "kur", "ku", - "lao", "lo", - "lat", "la", - "lav", "lv", - "lim", "li", - "lin", "ln", - "lit", "lt", - "ltz", "lb", - "lub", "lu", - "lug", "lg", - "mkd", "mk", - "mah", "mh", - "mal", "ml", - "mri", "mi", - "mar", "mr", - "msa", "ms", - "mkd", "mk", - "mlg", "mg", - "mlt", "mt", - "mon", "mn", - "mri", "mi", - "msa", "ms", - "mya", "my", - "nau", "na", - "nav", "nv", - "nbl", "nr", - "nde", "nd", - "ndo", "ng", - "nep", "ne", - "nld", "nl", - "nno", "nn", - "nob", "nb", - "nor", "no", - "nya", "ny", - "oci", "oc", - "oji", "oj", - "ori", "or", - "orm", "om", - "oss", "os", - "pan", "pa", - "fas", "fa", - "pli", "pi", - "pol", "pl", - "por", "pt", - "pus", "ps", - "que", "qu", - "roh", "rm", - "ron", "ro", - "ron", "ro", - "run", "rn", - "rus", "ru", - "sag", "sg", - "san", "sa", - "sin", "si", - "slk", "sk", - "slk", "sk", - "slv", "sl", - "sme", "se", - "smo", "sm", - "sna", "sn", - "snd", "sd", - "som", "so", - "sot", "st", - "spa", "es", - "sqi", "sq", - "srd", "sc", - "srp", "sr", - "ssw", "ss", - "sun", "su", - "swa", "sw", - "swe", "sv", - "tah", "ty", - "tam", "ta", - "tat", "tt", - "tel", "te", - "tgk", "tg", - "tgl", "tl", - "tha", "th", - "bod", "bo", - "tir", "ti", - "ton", "to", - "tsn", "tn", - "tso", "ts", - "tuk", "tk", - "tur", "tr", - "twi", "tw", - "uig", "ug", - "ukr", "uk", - "urd", "ur", - "uzb", "uz", - "ven", "ve", - "vie", "vi", - "vol", "vo", - "cym", "cy", - "wln", "wa", - "wol", "wo", - "xho", "xh", - "yid", "yi", - "yor", "yo", - "zha", "za", - "zho", "zh", - "zul", "zu" - }; - for (size_t i = 0; i < ARRAY_SIZE(ar); i += 2) - { - if (code == ar[i]) - { - return ar[i + 1]; - } - } - LOG(LDEBUG, ("Language not found", code)); - return "en"; -} - -string GetLanguageCode(Tizen::Locales::LanguageCode code) -{ - using namespace Tizen::Locales; - switch(code) - { - case LANGUAGE_INVALID: return ""; - case LANGUAGE_AAR: return "aar"; - case LANGUAGE_ABK: return "abk"; - case LANGUAGE_ACE: return "ace"; - case LANGUAGE_ACH: return "ach"; - case LANGUAGE_ADA: return "ada"; - case LANGUAGE_ADY: return "ady"; - case LANGUAGE_AFA: return "afa"; - case LANGUAGE_AFH: return "afh"; - case LANGUAGE_AFR: return "afr"; - case LANGUAGE_AIN: return "ain"; - case LANGUAGE_AKA: return "aka"; - case LANGUAGE_AKK: return "akk"; - case LANGUAGE_SQI: return "sqi"; - case LANGUAGE_ALE: return "ale"; - case LANGUAGE_ALG: return "alg"; - case LANGUAGE_ALT: return "alt"; - case LANGUAGE_AMH: return "amh"; - case LANGUAGE_ANG: return "ang"; - case LANGUAGE_ANP: return "anp"; - case LANGUAGE_APA: return "apa"; - case LANGUAGE_ARA: return "ara"; - case LANGUAGE_ARC: return "arc"; - case LANGUAGE_ARG: return "arg"; - case LANGUAGE_HYE: return "hye"; - case LANGUAGE_ARN: return "arn"; - case LANGUAGE_ARP: return "arp"; - case LANGUAGE_ART: return "art"; - case LANGUAGE_ARW: return "arw"; - case LANGUAGE_ASM: return "asm"; - case LANGUAGE_AST: return "ast"; - case LANGUAGE_ATH: return "ath"; - case LANGUAGE_AUS: return "aus"; - case LANGUAGE_AVA: return "ava"; - case LANGUAGE_AVE: return "ave"; - case LANGUAGE_AWA: return "awa"; - case LANGUAGE_AYM: return "aym"; - case LANGUAGE_AZE: return "aze"; - case LANGUAGE_BAD: return "bad"; - case LANGUAGE_BAI: return "bai"; - case LANGUAGE_BAK: return "bak"; - case LANGUAGE_BAL: return "bal"; - case LANGUAGE_BAM: return "bam"; - case LANGUAGE_BAN: return "ban"; - case LANGUAGE_EUS: return "eus"; - case LANGUAGE_BAS: return "bas"; - case LANGUAGE_BAT: return "bat"; - case LANGUAGE_BEJ: return "bej"; - case LANGUAGE_BEL: return "bel"; - case LANGUAGE_BEM: return "bem"; - case LANGUAGE_BEN: return "ben"; - case LANGUAGE_BER: return "ber"; - case LANGUAGE_BHO: return "bho"; - case LANGUAGE_BIH: return "bih"; - case LANGUAGE_BIK: return "bik"; - case LANGUAGE_BIN: return "bin"; - case LANGUAGE_BIS: return "bis"; - case LANGUAGE_BLA: return "bla"; - case LANGUAGE_BNT: return "bnt"; - case LANGUAGE_BOS: return "bos"; - case LANGUAGE_BRA: return "bra"; - case LANGUAGE_BRE: return "bre"; - case LANGUAGE_BTK: return "btk"; - case LANGUAGE_BUA: return "bua"; - case LANGUAGE_BUG: return "bug"; - case LANGUAGE_BUL: return "bul"; - case LANGUAGE_MYA: return "mya"; - case LANGUAGE_BYN: return "byn"; - case LANGUAGE_CAD: return "cad"; - case LANGUAGE_CAI: return "cai"; - case LANGUAGE_CAR: return "car"; - case LANGUAGE_CAT: return "cat"; - case LANGUAGE_CAU: return "cau"; - case LANGUAGE_CEB: return "ceb"; - case LANGUAGE_CEL: return "cel"; - case LANGUAGE_CHA: return "cha"; - case LANGUAGE_CHB: return "chb"; - case LANGUAGE_CHE: return "che"; - case LANGUAGE_CHG: return "chg"; - case LANGUAGE_ZHO: return "zho"; - case LANGUAGE_CHK: return "chk"; - case LANGUAGE_CHM: return "chm"; - case LANGUAGE_CHN: return "chn"; - case LANGUAGE_CHO: return "cho"; - case LANGUAGE_CHP: return "chp"; - case LANGUAGE_CHR: return "chr"; - case LANGUAGE_CHU: return "chu"; - case LANGUAGE_CHV: return "chv"; - case LANGUAGE_CHY: return "chy"; - case LANGUAGE_CMC: return "cmc"; - case LANGUAGE_COP: return "cop"; - case LANGUAGE_COR: return "cor"; - case LANGUAGE_COS: return "cos"; - case LANGUAGE_CPE: return "cpe"; - case LANGUAGE_CPF: return "cpf"; - case LANGUAGE_CPP: return "cpp"; - case LANGUAGE_CRE: return "cre"; - case LANGUAGE_CRH: return "crh"; - case LANGUAGE_CRP: return "crp"; - case LANGUAGE_CSB: return "csb"; - case LANGUAGE_CUS: return "cus"; - case LANGUAGE_CES: return "ces"; - case LANGUAGE_DAK: return "dak"; - case LANGUAGE_DAN: return "dan"; - case LANGUAGE_DAR: return "dar"; - case LANGUAGE_DAY: return "day"; - case LANGUAGE_DEL: return "del"; - case LANGUAGE_DEN: return "den"; - case LANGUAGE_DGR: return "dgr"; - case LANGUAGE_DIN: return "din"; - case LANGUAGE_DIV: return "div"; - case LANGUAGE_DOI: return "doi"; - case LANGUAGE_DRA: return "dra"; - case LANGUAGE_DSB: return "dsb"; - case LANGUAGE_DUA: return "dua"; - case LANGUAGE_DUM: return "dum"; - case LANGUAGE_NLD: return "nld"; - case LANGUAGE_DYU: return "dyu"; - case LANGUAGE_DZO: return "dzo"; - case LANGUAGE_EFI: return "efi"; - case LANGUAGE_EGY: return "egy"; - case LANGUAGE_EKA: return "eka"; - case LANGUAGE_ELX: return "elx"; - case LANGUAGE_ENG: return "eng"; - case LANGUAGE_ENM: return "enm"; - case LANGUAGE_EPO: return "epo"; - case LANGUAGE_EST: return "est"; - case LANGUAGE_EWE: return "ewe"; - case LANGUAGE_EWO: return "ewo"; - case LANGUAGE_FAN: return "fan"; - case LANGUAGE_FAO: return "fao"; - case LANGUAGE_FAT: return "fat"; - case LANGUAGE_FIJ: return "fij"; - case LANGUAGE_FIL: return "fil"; - case LANGUAGE_FIN: return "fin"; - case LANGUAGE_FIU: return "fiu"; - case LANGUAGE_FON: return "fon"; - case LANGUAGE_FRA: return "fra"; - case LANGUAGE_FRM: return "frm"; - case LANGUAGE_FRO: return "fro"; - case LANGUAGE_FRR: return "frr"; - case LANGUAGE_FRS: return "frs"; - case LANGUAGE_FRY: return "fry"; - case LANGUAGE_FUL: return "ful"; - case LANGUAGE_FUR: return "fur"; - case LANGUAGE_GAA: return "gaa"; - case LANGUAGE_GAY: return "gay"; - case LANGUAGE_GBA: return "gba"; - case LANGUAGE_GEM: return "gem"; - case LANGUAGE_KAT: return "kat"; - case LANGUAGE_DEU: return "deu"; - case LANGUAGE_GEZ: return "gez"; - case LANGUAGE_GIL: return "gil"; - case LANGUAGE_GLA: return "gla"; - case LANGUAGE_GLE: return "gle"; - case LANGUAGE_GLG: return "glg"; - case LANGUAGE_GLV: return "glv"; - case LANGUAGE_GMH: return "gmh"; - case LANGUAGE_GOH: return "goh"; - case LANGUAGE_GON: return "gon"; - case LANGUAGE_GOR: return "gor"; - case LANGUAGE_GOT: return "got"; - case LANGUAGE_GRB: return "grb"; - case LANGUAGE_GRC: return "grc"; - case LANGUAGE_ELL: return "ell"; - case LANGUAGE_GRN: return "grn"; - case LANGUAGE_GSW: return "gsw"; - case LANGUAGE_GUJ: return "guj"; - case LANGUAGE_GWI: return "gwi"; - case LANGUAGE_HAI: return "hai"; - case LANGUAGE_HAT: return "hat"; - case LANGUAGE_HAU: return "hau"; - case LANGUAGE_HAW: return "haw"; - case LANGUAGE_HEB: return "heb"; - case LANGUAGE_HER: return "her"; - case LANGUAGE_HIL: return "hil"; - case LANGUAGE_HIM: return "him"; - case LANGUAGE_HIN: return "hin"; - case LANGUAGE_HIT: return "hit"; - case LANGUAGE_HMN: return "hmn"; - case LANGUAGE_HMO: return "hmo"; - case LANGUAGE_HRV: return "hrv"; - case LANGUAGE_HSB: return "hsb"; - case LANGUAGE_HUN: return "hun"; - case LANGUAGE_HUP: return "hup"; - case LANGUAGE_IBA: return "iba"; - case LANGUAGE_IBO: return "ibo"; - case LANGUAGE_ISL: return "isl"; - case LANGUAGE_IDO: return "ido"; - case LANGUAGE_III: return "iii"; - case LANGUAGE_IJO: return "ijo"; - case LANGUAGE_IKU: return "iku"; - case LANGUAGE_ILE: return "ile"; - case LANGUAGE_ILO: return "ilo"; - case LANGUAGE_INA: return "ina"; - case LANGUAGE_INC: return "inc"; - case LANGUAGE_IND: return "ind"; - case LANGUAGE_INE: return "ine"; - case LANGUAGE_INH: return "inh"; - case LANGUAGE_IPK: return "ipk"; - case LANGUAGE_IRA: return "ira"; - case LANGUAGE_IRO: return "iro"; - case LANGUAGE_ITA: return "ita"; - case LANGUAGE_JAV: return "jav"; - case LANGUAGE_JBO: return "jbo"; - case LANGUAGE_JPN: return "jpn"; - case LANGUAGE_JPR: return "jpr"; - case LANGUAGE_JRB: return "jrb"; - case LANGUAGE_KAA: return "kaa"; - case LANGUAGE_KAB: return "kab"; - case LANGUAGE_KAC: return "kac"; - case LANGUAGE_KAL: return "kal"; - case LANGUAGE_KAM: return "kam"; - case LANGUAGE_KAN: return "kan"; - case LANGUAGE_KAR: return "kar"; - case LANGUAGE_KAS: return "kas"; - case LANGUAGE_KAU: return "kau"; - case LANGUAGE_KAW: return "kaw"; - case LANGUAGE_KAZ: return "kaz"; - case LANGUAGE_KBD: return "kbd"; - case LANGUAGE_KHA: return "kha"; - case LANGUAGE_KHI: return "khi"; - case LANGUAGE_KHM: return "khm"; - case LANGUAGE_KHO: return "kho"; - case LANGUAGE_KIK: return "kik"; - case LANGUAGE_KIN: return "kin"; - case LANGUAGE_KIR: return "kir"; - case LANGUAGE_KMB: return "kmb"; - case LANGUAGE_KOK: return "kok"; - case LANGUAGE_KOM: return "kom"; - case LANGUAGE_KON: return "kon"; - case LANGUAGE_KOR: return "kor"; - case LANGUAGE_KOS: return "kos"; - case LANGUAGE_KPE: return "kpe"; - case LANGUAGE_KRC: return "krc"; - case LANGUAGE_KRL: return "krl"; - case LANGUAGE_KRO: return "kro"; - case LANGUAGE_KRU: return "kru"; - case LANGUAGE_KUA: return "kua"; - case LANGUAGE_KUM: return "kum"; - case LANGUAGE_KUR: return "kur"; - case LANGUAGE_KUT: return "kut"; - case LANGUAGE_LAD: return "lad"; - case LANGUAGE_LAH: return "lah"; - case LANGUAGE_LAM: return "lam"; - case LANGUAGE_LAO: return "lao"; - case LANGUAGE_LAT: return "lat"; - case LANGUAGE_LAV: return "lav"; - case LANGUAGE_LEZ: return "lez"; - case LANGUAGE_LIM: return "lim"; - case LANGUAGE_LIN: return "lin"; - case LANGUAGE_LIT: return "lit"; - case LANGUAGE_LOL: return "lol"; - case LANGUAGE_LOZ: return "loz"; - case LANGUAGE_LTZ: return "ltz"; - case LANGUAGE_LUA: return "lua"; - case LANGUAGE_LUB: return "lub"; - case LANGUAGE_LUG: return "lug"; - case LANGUAGE_LUI: return "lui"; - case LANGUAGE_LUN: return "lun"; - case LANGUAGE_LUO: return "luo"; - case LANGUAGE_LUS: return "lus"; - case LANGUAGE_MKD: return "mkd"; - case LANGUAGE_MAD: return "mad"; - case LANGUAGE_MAG: return "mag"; - case LANGUAGE_MAH: return "mah"; - case LANGUAGE_MAI: return "mai"; - case LANGUAGE_MAK: return "mak"; - case LANGUAGE_MAL: return "mal"; - case LANGUAGE_MAN: return "man"; - case LANGUAGE_MRI: return "mri"; - case LANGUAGE_MAP: return "map"; - case LANGUAGE_MAR: return "mar"; - case LANGUAGE_MAS: return "mas"; - case LANGUAGE_MSA: return "msa"; - case LANGUAGE_MDF: return "mdf"; - case LANGUAGE_MDR: return "mdr"; - case LANGUAGE_MEN: return "men"; - case LANGUAGE_MGA: return "mga"; - case LANGUAGE_MIC: return "mic"; - case LANGUAGE_MIN: return "min"; - case LANGUAGE_MIS: return "mis"; - case LANGUAGE_MKH: return "mkh"; - case LANGUAGE_MLG: return "mlg"; - case LANGUAGE_MLT: return "mlt"; - case LANGUAGE_MNC: return "mnc"; - case LANGUAGE_MNI: return "mni"; - case LANGUAGE_MNO: return "mno"; - case LANGUAGE_MOH: return "moh"; - case LANGUAGE_MON: return "mon"; - case LANGUAGE_MOS: return "mos"; - case LANGUAGE_MUL: return "mul"; - case LANGUAGE_MUN: return "mun"; - case LANGUAGE_MUS: return "mus"; - case LANGUAGE_MWL: return "mwl"; - case LANGUAGE_MWR: return "mwr"; - case LANGUAGE_MYN: return "myn"; - case LANGUAGE_MYV: return "myv"; - case LANGUAGE_NAH: return "nah"; - case LANGUAGE_NAI: return "nai"; - case LANGUAGE_NAP: return "nap"; - case LANGUAGE_NAU: return "nau"; - case LANGUAGE_NAV: return "nav"; - case LANGUAGE_NBL: return "nbl"; - case LANGUAGE_NDE: return "nde"; - case LANGUAGE_NDO: return "ndo"; - case LANGUAGE_NDS: return "nds"; - case LANGUAGE_NEP: return "nep"; - case LANGUAGE_NEW: return "new"; - case LANGUAGE_NIA: return "nia"; - case LANGUAGE_NIC: return "nic"; - case LANGUAGE_NIU: return "niu"; - case LANGUAGE_NNO: return "nno"; - case LANGUAGE_NOB: return "nob"; - case LANGUAGE_NOG: return "nog"; - case LANGUAGE_NON: return "non"; - case LANGUAGE_NOR: return "nor"; - case LANGUAGE_NQO: return "nqo"; - case LANGUAGE_NSO: return "nso"; - case LANGUAGE_NUB: return "nub"; - case LANGUAGE_NWC: return "nwc"; - case LANGUAGE_NYA: return "nya"; - case LANGUAGE_NYM: return "nym"; - case LANGUAGE_NYN: return "nyn"; - case LANGUAGE_NYO: return "nyo"; - case LANGUAGE_NZI: return "nzi"; - case LANGUAGE_OCI: return "oci"; - case LANGUAGE_OJI: return "oji"; - case LANGUAGE_ORI: return "ori"; - case LANGUAGE_ORM: return "orm"; - case LANGUAGE_OSA: return "osa"; - case LANGUAGE_OSS: return "oss"; - case LANGUAGE_OTA: return "ota"; - case LANGUAGE_OTO: return "oto"; - case LANGUAGE_PAA: return "paa"; - case LANGUAGE_PAG: return "pag"; - case LANGUAGE_PAL: return "pal"; - case LANGUAGE_PAM: return "pam"; - case LANGUAGE_PAN: return "pan"; - case LANGUAGE_PAP: return "pap"; - case LANGUAGE_PAU: return "pau"; - case LANGUAGE_PEO: return "peo"; - case LANGUAGE_FAS: return "fas"; - case LANGUAGE_PHI: return "phi"; - case LANGUAGE_PHN: return "phn"; - case LANGUAGE_PLI: return "pli"; - case LANGUAGE_POL: return "pol"; - case LANGUAGE_PON: return "pon"; - case LANGUAGE_POR: return "por"; - case LANGUAGE_PRA: return "pra"; - case LANGUAGE_PRO: return "pro"; - case LANGUAGE_PUS: return "pus"; - case LANGUAGE_QUE: return "que"; - case LANGUAGE_RAJ: return "raj"; - case LANGUAGE_RAP: return "rap"; - case LANGUAGE_RAR: return "rar"; - case LANGUAGE_ROA: return "roa"; - case LANGUAGE_ROH: return "roh"; - case LANGUAGE_ROM: return "rom"; - case LANGUAGE_RON: return "ron"; - case LANGUAGE_RUN: return "run"; - case LANGUAGE_RUP: return "rup"; - case LANGUAGE_RUS: return "rus"; - case LANGUAGE_SAD: return "sad"; - case LANGUAGE_SAG: return "sag"; - case LANGUAGE_SAH: return "sah"; - case LANGUAGE_SAI: return "sai"; - case LANGUAGE_SAL: return "sal"; - case LANGUAGE_SAM: return "sam"; - case LANGUAGE_SAN: return "san"; - case LANGUAGE_SAS: return "sas"; - case LANGUAGE_SAT: return "sat"; - case LANGUAGE_SCN: return "scn"; - case LANGUAGE_SCO: return "sco"; - case LANGUAGE_SEL: return "sel"; - case LANGUAGE_SEM: return "sem"; - case LANGUAGE_SGA: return "sga"; - case LANGUAGE_SGN: return "sgn"; - case LANGUAGE_SHN: return "shn"; - case LANGUAGE_SID: return "sid"; - case LANGUAGE_SIN: return "sin"; - case LANGUAGE_SIO: return "sio"; - case LANGUAGE_SIT: return "sit"; - case LANGUAGE_SLA: return "sla"; - case LANGUAGE_SLK: return "slk"; - case LANGUAGE_SLV: return "slv"; - case LANGUAGE_SMA: return "sma"; - case LANGUAGE_SME: return "sme"; - case LANGUAGE_SMI: return "smi"; - case LANGUAGE_SMJ: return "smj"; - case LANGUAGE_SMN: return "smn"; - case LANGUAGE_SMO: return "smo"; - case LANGUAGE_SMS: return "sms"; - case LANGUAGE_SNA: return "sna"; - case LANGUAGE_SND: return "snd"; - case LANGUAGE_SNK: return "snk"; - case LANGUAGE_SOG: return "sog"; - case LANGUAGE_SOM: return "som"; - case LANGUAGE_SON: return "son"; - case LANGUAGE_SOT: return "sot"; - case LANGUAGE_SPA: return "spa"; - case LANGUAGE_SRD: return "srd"; - case LANGUAGE_SRN: return "srn"; - case LANGUAGE_SRP: return "srp"; - case LANGUAGE_SRR: return "srr"; - case LANGUAGE_SSA: return "ssa"; - case LANGUAGE_SSW: return "ssw"; - case LANGUAGE_SUK: return "suk"; - case LANGUAGE_SUN: return "sun"; - case LANGUAGE_SUS: return "sus"; - case LANGUAGE_SUX: return "sux"; - case LANGUAGE_SWA: return "swa"; - case LANGUAGE_SWE: return "swe"; - case LANGUAGE_SYC: return "syc"; - case LANGUAGE_SYR: return "syr"; - case LANGUAGE_TAH: return "tah"; - case LANGUAGE_TAI: return "tai"; - case LANGUAGE_TAM: return "tam"; - case LANGUAGE_TAT: return "tat"; - case LANGUAGE_TEL: return "tel"; - case LANGUAGE_TEM: return "tem"; - case LANGUAGE_TER: return "ter"; - case LANGUAGE_TET: return "tet"; - case LANGUAGE_TGK: return "tgk"; - case LANGUAGE_TGL: return "tgl"; - case LANGUAGE_THA: return "tha"; - case LANGUAGE_BOD: return "bod"; - case LANGUAGE_TIG: return "tig"; - case LANGUAGE_TIR: return "tir"; - case LANGUAGE_TIV: return "tiv"; - case LANGUAGE_TKL: return "tkl"; - case LANGUAGE_TLH: return "tlh"; - case LANGUAGE_TLI: return "tli"; - case LANGUAGE_TMH: return "tmh"; - case LANGUAGE_TOG: return "tog"; - case LANGUAGE_TON: return "ton"; - case LANGUAGE_TPI: return "tpi"; - case LANGUAGE_TSI: return "tsi"; - case LANGUAGE_TSN: return "tsn"; - case LANGUAGE_TSO: return "tso"; - case LANGUAGE_TUK: return "tuk"; - case LANGUAGE_TUM: return "tum"; - case LANGUAGE_TUP: return "tup"; - case LANGUAGE_TUR: return "tur"; - case LANGUAGE_TUT: return "tut"; - case LANGUAGE_TVL: return "tvl"; - case LANGUAGE_TWI: return "twi"; - case LANGUAGE_TYV: return "tyv"; - case LANGUAGE_UDM: return "udm"; - case LANGUAGE_UGA: return "uga"; - case LANGUAGE_UIG: return "uig"; - case LANGUAGE_UKR: return "ukr"; - case LANGUAGE_UMB: return "umb"; - case LANGUAGE_UND: return "und"; - case LANGUAGE_URD: return "urd"; - case LANGUAGE_UZB: return "uzb"; - case LANGUAGE_VAI: return "vai"; - case LANGUAGE_VEN: return "ven"; - case LANGUAGE_VIE: return "vie"; - case LANGUAGE_VLS: return "vls"; - case LANGUAGE_VOL: return "vol"; - case LANGUAGE_VOT: return "vot"; - case LANGUAGE_WAK: return "wak"; - case LANGUAGE_WAL: return "wal"; - case LANGUAGE_WAR: return "war"; - case LANGUAGE_WAS: return "was"; - case LANGUAGE_CYM: return "cym"; - case LANGUAGE_WEN: return "wen"; - case LANGUAGE_WLN: return "wln"; - case LANGUAGE_WOL: return "wol"; - case LANGUAGE_XAL: return "xal"; - case LANGUAGE_XHO: return "xho"; - case LANGUAGE_YAO: return "yao"; - case LANGUAGE_YAP: return "yap"; - case LANGUAGE_YID: return "yid"; - case LANGUAGE_YOR: return "yor"; - case LANGUAGE_YPK: return "ypk"; - case LANGUAGE_ZAP: return "zap"; - case LANGUAGE_ZBL: return "zbl"; - case LANGUAGE_ZEN: return "zen"; - case LANGUAGE_ZHA: return "zha"; - case LANGUAGE_ZND: return "znd"; - case LANGUAGE_ZUL: return "zul"; - case LANGUAGE_ZUN: return "zun"; - case LANGUAGE_ZXX: return "zxx"; - case LANGUAGE_ZZA: return "zza"; - default: - return ""; - } -} diff --git a/platform/tizen_utils.hpp b/platform/tizen_utils.hpp deleted file mode 100644 index 7df40833fa3..00000000000 --- a/platform/tizen_utils.hpp +++ /dev/null @@ -1,24 +0,0 @@ -#pragma once - -#include "std/target_os.hpp" - -#include - -#include - -#ifdef OMIM_OS_TIZEN -namespace Tizen -{ - namespace Base - { - class String; - } -} - -//Convert from Tizen string to std::string -std::string FromTizenString(Tizen::Base::String const & str_tizen); -std::string CodeFromISO369_2to_1(std::string const & code); -std::string GetLanguageCode(Tizen::Locales::LanguageCode code); -std::string GetTizenLocale(); - -#endif diff --git a/std/target_os.hpp b/std/target_os.hpp index 0d8dcb956a5..80e71a892a4 100644 --- a/std/target_os.hpp +++ b/std/target_os.hpp @@ -5,11 +5,6 @@ #define OMIM_OS_NAME "android" #define OMIM_OS_MOBILE -#elif defined(_TIZEN_EMULATOR) || defined(_TIZEN_DEVICE) - #define OMIM_OS_TIZEN - #define OMIM_OS_NAME "tizen" - #define OMIM_OS_MOBILE - #elif defined(__APPLE__) #include #if (TARGET_OS_IPHONE > 0) diff --git a/tizen/MapsWithMe/.cproject b/tizen/MapsWithMe/.cproject deleted file mode 100644 index e2385b30229..00000000000 --- a/tizen/MapsWithMe/.cproject +++ /dev/null @@ -1,686 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/tizen/MapsWithMe/.project b/tizen/MapsWithMe/.project deleted file mode 100644 index 907e585c304..00000000000 --- a/tizen/MapsWithMe/.project +++ /dev/null @@ -1,99 +0,0 @@ - - - MapsWithMe - - - - - - org.eclipse.cdt.managedbuilder.core.genmakebuilder - - - ?name? - - - - org.eclipse.cdt.make.core.append_environment - true - - - org.eclipse.cdt.make.core.autoBuildTarget - all - - - org.eclipse.cdt.make.core.buildArguments - - - - org.eclipse.cdt.make.core.buildCommand - make - - - org.eclipse.cdt.make.core.buildLocation - ${workspace_loc:/MapsWithMe/Debug} - - - org.eclipse.cdt.make.core.cleanBuildTarget - clean - - - org.eclipse.cdt.make.core.contents - org.eclipse.cdt.make.core.activeConfigSettings - - - org.eclipse.cdt.make.core.enableAutoBuild - true - - - org.eclipse.cdt.make.core.enableCleanBuild - true - - - org.eclipse.cdt.make.core.enableFullBuild - true - - - org.eclipse.cdt.make.core.fullBuildTarget - all - - - org.eclipse.cdt.make.core.stopOnError - true - - - org.eclipse.cdt.make.core.useDefaultBuildCmd - true - - - - - org.eclipse.cdt.managedbuilder.core.ScannerConfigBuilder - full,incremental, - - - - - org.tizen.nativecpp.apichecker.core.builder - - - - - - org.eclipse.cdt.core.cnature - org.eclipse.cdt.core.ccnature - org.eclipse.cdt.managedbuilder.core.managedBuildNature - org.eclipse.cdt.managedbuilder.core.ScannerConfigNature - org.tizen.nativecpp.apichecker.core.tizenCppNature - - - - 1397493386621 - - 26 - - org.eclipse.ui.ide.multiFilter - 1.0-projectRelativePath-matches-false-false-*/.tpk - - - - diff --git a/tizen/MapsWithMe/data/00_roboto_regular.ttf b/tizen/MapsWithMe/data/00_roboto_regular.ttf deleted file mode 120000 index ee562fdcb39..00000000000 --- a/tizen/MapsWithMe/data/00_roboto_regular.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/00_roboto_regular.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/01_dejavusans.ttf b/tizen/MapsWithMe/data/01_dejavusans.ttf deleted file mode 120000 index 9fa46acb167..00000000000 --- a/tizen/MapsWithMe/data/01_dejavusans.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/01_dejavusans.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/02_droidsans-fallback.ttf b/tizen/MapsWithMe/data/02_droidsans-fallback.ttf deleted file mode 120000 index 585d1121540..00000000000 --- a/tizen/MapsWithMe/data/02_droidsans-fallback.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/02_droidsans-fallback.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/03_jomolhari-id-a3d.ttf b/tizen/MapsWithMe/data/03_jomolhari-id-a3d.ttf deleted file mode 120000 index aaeacdf663a..00000000000 --- a/tizen/MapsWithMe/data/03_jomolhari-id-a3d.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/03_jomolhari-id-a3d.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/04_padauk.ttf b/tizen/MapsWithMe/data/04_padauk.ttf deleted file mode 120000 index 7045b5b29ba..00000000000 --- a/tizen/MapsWithMe/data/04_padauk.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/04_padauk.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/05_khmeros.ttf b/tizen/MapsWithMe/data/05_khmeros.ttf deleted file mode 120000 index 0c2294786a7..00000000000 --- a/tizen/MapsWithMe/data/05_khmeros.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/05_khmeros.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/06_code2000.ttf b/tizen/MapsWithMe/data/06_code2000.ttf deleted file mode 120000 index 990f3f1b0ba..00000000000 --- a/tizen/MapsWithMe/data/06_code2000.ttf +++ /dev/null @@ -1 +0,0 @@ -../../../data/06_code2000.ttf \ No newline at end of file diff --git a/tizen/MapsWithMe/data/World.mwm b/tizen/MapsWithMe/data/World.mwm deleted file mode 120000 index e2572d530bb..00000000000 --- a/tizen/MapsWithMe/data/World.mwm +++ /dev/null @@ -1 +0,0 @@ -../../../data/World.mwm \ No newline at end of file diff --git a/tizen/MapsWithMe/data/WorldCoasts.mwm b/tizen/MapsWithMe/data/WorldCoasts.mwm deleted file mode 120000 index 846fc5ce301..00000000000 --- a/tizen/MapsWithMe/data/WorldCoasts.mwm +++ /dev/null @@ -1 +0,0 @@ -../../../data/WorldCoasts.mwm \ No newline at end of file diff --git a/tizen/MapsWithMe/data/categories.txt b/tizen/MapsWithMe/data/categories.txt deleted file mode 120000 index 21d052a3a05..00000000000 --- a/tizen/MapsWithMe/data/categories.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/categories.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/classificator.txt b/tizen/MapsWithMe/data/classificator.txt deleted file mode 120000 index 663c05cc7dc..00000000000 --- a/tizen/MapsWithMe/data/classificator.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/classificator.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/countries.txt b/tizen/MapsWithMe/data/countries.txt deleted file mode 120000 index c614689e610..00000000000 --- a/tizen/MapsWithMe/data/countries.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/countries.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/drules_proto_legacy.bin b/tizen/MapsWithMe/data/drules_proto_legacy.bin deleted file mode 120000 index 0e0fcbc9a80..00000000000 --- a/tizen/MapsWithMe/data/drules_proto_legacy.bin +++ /dev/null @@ -1 +0,0 @@ -../../../data/drules_proto_legacy.bin \ No newline at end of file diff --git a/tizen/MapsWithMe/data/fonts_blacklist.txt b/tizen/MapsWithMe/data/fonts_blacklist.txt deleted file mode 120000 index dc945bbf5af..00000000000 --- a/tizen/MapsWithMe/data/fonts_blacklist.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/fonts_blacklist.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/fonts_whitelist.txt b/tizen/MapsWithMe/data/fonts_whitelist.txt deleted file mode 120000 index a6eed6e04d4..00000000000 --- a/tizen/MapsWithMe/data/fonts_whitelist.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/fonts_whitelist.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/languages.txt b/tizen/MapsWithMe/data/languages.txt deleted file mode 120000 index 368b7529402..00000000000 --- a/tizen/MapsWithMe/data/languages.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/languages.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/packed_polygons.bin b/tizen/MapsWithMe/data/packed_polygons.bin deleted file mode 120000 index 78a637c4c06..00000000000 --- a/tizen/MapsWithMe/data/packed_polygons.bin +++ /dev/null @@ -1 +0,0 @@ -../../../data/packed_polygons.bin \ No newline at end of file diff --git a/tizen/MapsWithMe/data/resources-hdpi_legacy b/tizen/MapsWithMe/data/resources-hdpi_legacy deleted file mode 120000 index 413f7b71a6f..00000000000 --- a/tizen/MapsWithMe/data/resources-hdpi_legacy +++ /dev/null @@ -1 +0,0 @@ -../../../data/resources-hdpi_legacy \ No newline at end of file diff --git a/tizen/MapsWithMe/data/resources-ldpi_legacy b/tizen/MapsWithMe/data/resources-ldpi_legacy deleted file mode 120000 index b9687f3945c..00000000000 --- a/tizen/MapsWithMe/data/resources-ldpi_legacy +++ /dev/null @@ -1 +0,0 @@ -../../../data/resources-ldpi_legacy \ No newline at end of file diff --git a/tizen/MapsWithMe/data/resources-mdpi_legacy b/tizen/MapsWithMe/data/resources-mdpi_legacy deleted file mode 120000 index 81dcd16495b..00000000000 --- a/tizen/MapsWithMe/data/resources-mdpi_legacy +++ /dev/null @@ -1 +0,0 @@ -../../../data/resources-mdpi_legacy \ No newline at end of file diff --git a/tizen/MapsWithMe/data/resources-xhdpi_legacy b/tizen/MapsWithMe/data/resources-xhdpi_legacy deleted file mode 120000 index 0441561ddbb..00000000000 --- a/tizen/MapsWithMe/data/resources-xhdpi_legacy +++ /dev/null @@ -1 +0,0 @@ -../../../data/resources-xhdpi_legacy \ No newline at end of file diff --git a/tizen/MapsWithMe/data/resources-xxhdpi_legacy b/tizen/MapsWithMe/data/resources-xxhdpi_legacy deleted file mode 120000 index fa295dce185..00000000000 --- a/tizen/MapsWithMe/data/resources-xxhdpi_legacy +++ /dev/null @@ -1 +0,0 @@ -../../../data/resources-xxhdpi_legacy \ No newline at end of file diff --git a/tizen/MapsWithMe/data/types.txt b/tizen/MapsWithMe/data/types.txt deleted file mode 120000 index 095b163beee..00000000000 --- a/tizen/MapsWithMe/data/types.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/types.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/data/unicode_blocks.txt b/tizen/MapsWithMe/data/unicode_blocks.txt deleted file mode 120000 index cc7ace66f1d..00000000000 --- a/tizen/MapsWithMe/data/unicode_blocks.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/unicode_blocks.txt \ No newline at end of file diff --git a/tizen/MapsWithMe/inc/AboutForm.hpp b/tizen/MapsWithMe/inc/AboutForm.hpp deleted file mode 100644 index bf50d3d6fb8..00000000000 --- a/tizen/MapsWithMe/inc/AboutForm.hpp +++ /dev/null @@ -1,20 +0,0 @@ -#pragma once - -#include - -class AboutForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -{ -public: - AboutForm(); - virtual ~AboutForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - -private: - static const int ID_CLOSE = 101; -}; diff --git a/tizen/MapsWithMe/inc/AppResourceId.h b/tizen/MapsWithMe/inc/AppResourceId.h deleted file mode 100644 index a75d21b53e6..00000000000 --- a/tizen/MapsWithMe/inc/AppResourceId.h +++ /dev/null @@ -1,159 +0,0 @@ -#pragma once - -extern const wchar_t* IDC_ABOUT_BUTTON; -extern const wchar_t* IDC_BUTTON_BLUE; -extern const wchar_t* IDC_BUTTON_BROWN; -extern const wchar_t* IDC_BUTTON_GREEN; -extern const wchar_t* IDC_BUTTON_ORANGE; -extern const wchar_t* IDC_BUTTON_PINK; -extern const wchar_t* IDC_BUTTON_PURPLE; -extern const wchar_t* IDC_BUTTON_RED; -extern const wchar_t* IDC_BUTTON_YELLOW; -extern const wchar_t* IDC_CANCEL; -extern const wchar_t* IDC_CHECKBUTTON_SHOW_ON_MAP; -extern const wchar_t* IDC_CLOSE_BUTTON; -extern const wchar_t* IDC_COPY_MARK; -extern const wchar_t* IDC_DOWNLOAD_LISTVIEW; -extern const wchar_t* IDC_EDITFIELD; -extern const wchar_t* IDC_EDITFIELD_NAME; -extern const wchar_t* IDC_EMAIL; -extern const wchar_t* IDC_ENABLE_GPS; -extern const wchar_t* IDC_ENABLE_SCALE_BUTTONS_CB; -extern const wchar_t* IDC_FOOTS_CHECKBUTTON; -extern const wchar_t* IDC_LABEL1; -extern const wchar_t* IDC_LISTVIEW; -extern const wchar_t* IDC_MEASUREMENT_NOTE; -extern const wchar_t* IDC_MEASUREMENT_UNITS_LABEL; -extern const wchar_t* IDC_MENU; -extern const wchar_t* IDC_MESSAGE; -extern const wchar_t* IDC_METERS_CHECKBUTTON; -extern const wchar_t* IDC_PANEL; -extern const wchar_t* IDC_SCROLLPANEL; -extern const wchar_t* IDC_SEARCHBAR; -extern const wchar_t* IDC_TEXTBOX; -extern const wchar_t* IDC_TEXTBOX1; -extern const wchar_t* IDC_VERSION_LABEL; -extern const wchar_t* IDC_WEB; -extern const wchar_t* IDC_ZOOM_IN; -extern const wchar_t* IDC_ZOOM_OUT; -extern const wchar_t* IDF_ABOUT_FORM; -extern const wchar_t* IDF_BMCATEGORIES_FORM; -extern const wchar_t* IDF_CATEGORY_FORM; -extern const wchar_t* IDF_DOWNLOAD_FORM; -extern const wchar_t* IDF_LICENSE_FORM; -extern const wchar_t* IDF_MAIN_FORM; -extern const wchar_t* IDF_SEARCH_FORM; -extern const wchar_t* IDF_SELECT_BM_CATEGORY_FORM; -extern const wchar_t* IDF_SELECT_COLOR_FORM; -extern const wchar_t* IDF_SHARE_POSITION_FORM; -extern const wchar_t* IDS_ABOUT; -extern const wchar_t* IDS_ADD_NEW_SET; -extern const wchar_t* IDS_AGREE; -extern const wchar_t* IDS_ARE_YOU_SURE; -extern const wchar_t* IDS_ATM; -extern const wchar_t* IDS_BANK; -extern const wchar_t* IDS_BECOME_A_PRO; -extern const wchar_t* IDS_BOOKMARKS; -extern const wchar_t* IDS_BOOKMARK_COLOR; -extern const wchar_t* IDS_BOOKMARK_SHARE_EMAIL; -extern const wchar_t* IDS_BOOKMARK_SHARE_EMAIL_SUBJECT; -extern const wchar_t* IDS_BOOKMARK_SHARE_SMS; -extern const wchar_t* IDS_CANCEL; -extern const wchar_t* IDS_CANCEL_DOWNLOAD; -extern const wchar_t* IDS_COPY_LINK; -extern const wchar_t* IDS_DELETE; -extern const wchar_t* IDS_DISAGREE; -extern const wchar_t* IDS_DONE; -extern const wchar_t* IDS_DOWNLOAD; -extern const wchar_t* IDS_DOWNLOAD_COUNTRY_FAILED; -extern const wchar_t* IDS_DOWNLOAD_MAPS; -extern const wchar_t* IDS_EDIT; -extern const wchar_t* IDS_EMAIL; -extern const wchar_t* IDS_ENTERTAINMENT; -extern const wchar_t* IDS_FOOD; -extern const wchar_t* IDS_FUEL; -extern const wchar_t* IDS_HOSPITAL; -extern const wchar_t* IDS_HOTEL; -extern const wchar_t* IDS_KILOMETRES; -extern const wchar_t* IDS_MAPS_LICENCE_INFO; -extern const wchar_t* IDS_MB; -extern const wchar_t* IDS_MEASUREMENT_UNITS; -extern const wchar_t* IDS_MEASUREMENT_UNITS_SUMMARY; -extern const wchar_t* IDS_MESSAGE; -extern const wchar_t* IDS_MILES; -extern const wchar_t* IDS_MY_POSITION_SHARE_EMAIL; -extern const wchar_t* IDS_MY_POSITION_SHARE_EMAIL_SUBJECT; -extern const wchar_t* IDS_MY_POSITION_SHARE_SMS; -extern const wchar_t* IDS_NO_INTERNET_CONNECTION_DETECTED; -extern const wchar_t* IDS_NO_SEARCH_RESULTS_FOUND; -extern const wchar_t* IDS_NO_WIFI_ASK_CELLULAR_DOWNLOAD; -extern const wchar_t* IDS_PARKING; -extern const wchar_t* IDS_PHARMACY; -extern const wchar_t* IDS_POLICE; -extern const wchar_t* IDS_POST; -extern const wchar_t* IDS_PREF_ZOOM_SUMMARY; -extern const wchar_t* IDS_PREF_ZOOM_TITLE; -extern const wchar_t* IDS_SETTINGS; -extern const wchar_t* IDS_SHARE; -extern const wchar_t* IDS_SHARE_MY_LOCATION; -extern const wchar_t* IDS_SHOP; -extern const wchar_t* IDS_TOILET; -extern const wchar_t* IDS_TOURISM; -extern const wchar_t* IDS_TRANSPORT; -extern const wchar_t* IDS_UNKNOWN_CURRENT_POSITION; -extern const wchar_t* IDS_USE_WIFI_RECOMMENDATION_TEXT; -extern const wchar_t* IDS_VISIBLE; -extern const wchar_t* IDS_VERSION; -// main form -extern const wchar_t * IDB_MY_POSITION_NORMAL; -extern const wchar_t * IDB_MY_POSITION_PRESSED; -extern const wchar_t * IDB_MY_POSITION_SEARCH; -extern const wchar_t * IDB_SEARCH; -extern const wchar_t * IDB_STAR; -extern const wchar_t * IDB_MENU; -// main menu -extern const wchar_t * IDB_MWM_PRO; -extern const wchar_t * IDB_DOWNLOAD_MAP; -extern const wchar_t * IDB_SETTINGS; -extern const wchar_t * IDB_SHARE; -//search -extern const wchar_t * IDB_SINGLE_RESULT; -extern const wchar_t * IDB_SUGGESTION_RESULT; -//place page -extern const wchar_t * IDB_PLACE_PAGE_BUTTON; -extern const wchar_t * IDB_PLACE_PAGE_BUTTON_SELECTED; -extern const wchar_t * IDB_PLACE_PAGE_EDIT_BUTTON; -extern const wchar_t * IDB_PLACE_PAGE_COMPASS; -extern const wchar_t * IDB_PLACE_PAGE_COMPASS_BACKGROUND; -extern const wchar_t * IDB_PLACE_PAGE_COLOR_SELECTOR; -//color -extern const wchar_t * IDB_COLOR_BLUE; -extern const wchar_t * IDB_COLOR_PP_BLUE; -extern const wchar_t * IDB_COLOR_SELECT_BLUE; -extern const wchar_t * IDB_COLOR_BROWN; -extern const wchar_t * IDB_COLOR_PP_BROWN; -extern const wchar_t * IDB_COLOR_SELECT_BROWN; -extern const wchar_t * IDB_COLOR_GREEN; -extern const wchar_t * IDB_COLOR_PP_GREEN; -extern const wchar_t * IDB_COLOR_SELECT_GREEN; -extern const wchar_t * IDB_COLOR_ORANGE; -extern const wchar_t * IDB_COLOR_PP_ORANGE; -extern const wchar_t * IDB_COLOR_SELECT_ORANGE; -extern const wchar_t * IDB_COLOR_PINK; -extern const wchar_t * IDB_COLOR_PP_PINK; -extern const wchar_t * IDB_COLOR_SELECT_PINK; -extern const wchar_t * IDB_COLOR_PURPLE; -extern const wchar_t * IDB_COLOR_PP_PURPLE; -extern const wchar_t * IDB_COLOR_SELECT_PURPLE; -extern const wchar_t * IDB_COLOR_RED; -extern const wchar_t * IDB_COLOR_PP_RED; -extern const wchar_t * IDB_COLOR_SELECT_RED; -extern const wchar_t * IDB_COLOR_YELLOW; -extern const wchar_t * IDB_COLOR_PP_YELLOW; -extern const wchar_t * IDB_COLOR_SELECT_YELLOW; -//bookmark form -extern const wchar_t * IDB_EYE; -extern const wchar_t * IDB_EMPTY; -extern const wchar_t * IDB_BOOKMARK_DELETE; -extern const wchar_t * IDB_BOOKMARK_DELETE_CUR; -extern const wchar_t * IDB_V; diff --git a/tizen/MapsWithMe/inc/BMCategoriesForm.hpp b/tizen/MapsWithMe/inc/BMCategoriesForm.hpp deleted file mode 100644 index a47388e08d6..00000000000 --- a/tizen/MapsWithMe/inc/BMCategoriesForm.hpp +++ /dev/null @@ -1,43 +0,0 @@ -#pragma once - -#include - -class BMCategoriesForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::Controls::IListViewItemProviderF -, public Tizen::Ui::Controls::IListViewItemEventListener -{ -public: - BMCategoriesForm(); - virtual ~BMCategoriesForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state){} - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction) {} - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback) {} - - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - - void UpdateState(); - enum EElementID - { - ID_EYE, - ID_DELETE, - ID_NAME, - ID_SIZE, - ID_DELETE_TXT, - ID_EDIT - }; - - bool m_bEditState; - int m_categoryToDelete; -}; diff --git a/tizen/MapsWithMe/inc/BookMarkSplitPanel.hpp b/tizen/MapsWithMe/inc/BookMarkSplitPanel.hpp deleted file mode 100644 index 1f5dac34bad..00000000000 --- a/tizen/MapsWithMe/inc/BookMarkSplitPanel.hpp +++ /dev/null @@ -1,117 +0,0 @@ -#pragma once - -#include -#include - -class UserMark; -class MapsWithMeForm; - -class BookMarkSplitPanel: public Tizen::Ui::Controls::SplitPanel -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::ITouchEventListener -, public Tizen::Ui::Controls::IListViewItemProviderF -, public Tizen::Ui::Controls::IListViewItemEventListener -, public Tizen::Ui::ITextEventListener -, public Tizen::Uix::Sensor::ISensorEventListener -{ -public: - BookMarkSplitPanel(); - virtual ~BookMarkSplitPanel(void); - - void Enable(); - void Disable(); - - bool Construct(Tizen::Graphics::FloatRectangle const & rect); - void SetMainForm(MapsWithMeForm * pMainForm); - // IActionEventListener - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - // ITouchEventListener - virtual void OnTouchFocusIn (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchFocusOut (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchMoved (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchPressed (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - virtual void OnTouchReleased (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchLongPressed(Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - - Tizen::Ui::Controls::ListItemBase * CreateHeaderItem (float itemWidth); - Tizen::Ui::Controls::ListItemBase * CreateSettingsItem (float itemWidth); - Tizen::Ui::Controls::ListItemBase * CreateGroupItem (float itemWidth); - Tizen::Ui::Controls::ListItemBase * CreateMessageItem (float itemWidth); - - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state){} - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction){} - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback){} - // Tizen::Ui::ITextEventListener - virtual void OnTextValueChangeCanceled (Tizen::Ui::Control const & source); - virtual void OnTextValueChanged (Tizen::Ui::Control const & source); - - // ISensorEventListener - virtual void OnDataReceived (Tizen::Uix::Sensor::SensorType sensorType, Tizen::Uix::Sensor::SensorData & sensorData, result r); - - Tizen::Base::String GetHeaderText() const; - Tizen::Base::String GetDistanceText() const; - Tizen::Base::String GetCountryText() const; - Tizen::Base::String GetLocationText() const; - Tizen::Base::String GetGroupText() const; - Tizen::Base::String GetMessageText() const; - - void UpdateState(); - UserMark const * GetCurMark() const; - bool IsBookMark() const; - - void UpdateCompass(); -private: - - enum EButtons - { - EDIT_BUTTON = 0, - STAR_BUTTON, - COMPAS_BACKGROUND_IMG, - COMPAS_IMG, - COLOR_IMG, - DISTANCE_TXT, - COUNTRY_TXT, - POSITION_TXT, - GROUP_TXT, - MESSAGE_TXT, - ID_SHARE_BUTTON - }; - - enum EItems - { - HEADER_ITEM = 0, - SETTINGS_ITEM, - GROUP_ITEM, - MESSAGE_ITEM - }; - - Tizen::Ui::Controls::Button * m_pButton; - Tizen::Ui::Controls::Panel * m_pSecondPanel; - Tizen::Ui::Controls::Label * m_pLabel; - Tizen::Ui::Controls::EditArea * m_pMessageEdit; - Tizen::Ui::Controls::EditArea * m_pDummyMessageEdit; - - Tizen::Ui::Controls::ListView * m_pList; - MapsWithMeForm * m_pMainForm; - Tizen::Uix::Sensor::SensorManager m_sensorManager; - double m_northAzimuth; -}; diff --git a/tizen/MapsWithMe/inc/BookMarkUtils.hpp b/tizen/MapsWithMe/inc/BookMarkUtils.hpp deleted file mode 100644 index b0547e6659a..00000000000 --- a/tizen/MapsWithMe/inc/BookMarkUtils.hpp +++ /dev/null @@ -1,87 +0,0 @@ -#pragma once - -#include -#include "../../../map/user_mark.hpp" -#include "../../../std/noncopyable.hpp" -#include "../../../std/shared_ptr.hpp" - -class UserMark; -class Bookmark; -namespace bookmark -{ - -enum EColor - { - CLR_RED, - CLR_BLUE, - CLR_BROWN, - CLR_GREEN, - CLR_ORANGE, - CLR_PINK, - CLR_PURPLE, - CLR_YELLOW - }; - -search::AddressInfo const GetAdressInfo(UserMark const * pUserMark); -Tizen::Base::String GetMarkName(UserMark const * pUserMark); -Tizen::Base::String GetMarkType(UserMark const * pUserMark); -Tizen::Base::String GetMarkCountry(UserMark const * pUserMark); -Tizen::Base::String GetDistance(UserMark const * pUserMark); -double GetAzimuth(UserMark const * pUserMark, double north); - -const wchar_t * GetColorBM(EColor color); -const wchar_t * GetColorPPBM(EColor color); -const wchar_t * GetColorSelecteBM(EColor color); -string fromEColorTostring(EColor color); -EColor fromstringToColor(string const & sColor); - -bool IsBookMark(UserMark const * pUserMark); - -class BookMarkManager: public noncopyable -{ -private: - BookMarkManager(); -public: - - static BookMarkManager & GetInstance(); - - //current bookmark - UserMark const * GetCurMark() const; - Bookmark const * GetCurBookMark() const; - void RemoveCurBookMark(); - EColor GetCurBookMarkColor() const; - void ActivateBookMark(UserMarkCopy * pCopy); - void AddCurMarkToBookMarks(); - Tizen::Base::String GetBookMarkMessage() const; - void SetBookMarkMessage(Tizen::Base::String const & s); - Tizen::Base::String GetCurrentCategoryName() const; - int GetCurrentCategory() const; - void SetNewCurBookMarkCategory(int const nNewCategory); - void SetCurBookMarkColor(EColor const color); - - // any bookmark - void DeleteBookMark(size_t category, size_t index); - void ShowBookMark(size_t category, size_t index); - Bookmark const * GetBookMark(size_t category, size_t index); - - // category - int AddCategory(Tizen::Base::String const & sName) const; - bool IsCategoryVisible(int index); - void SetCategoryVisible(int index, bool bVisible); - void DeleteCategory(int index); - size_t GetCategorySize(int index); - int GetCategoriesCount() const; - Tizen::Base::String GetCategoryName(int const index) const; - void SetCategoryName(int const index, Tizen::Base::String const & sName) const; - - Tizen::Base::String GetSMSTextMyPosition(double lat, double lon); - Tizen::Base::String GetSMSTextMark(UserMark const * pMark); - Tizen::Base::String GetEmailTextMyPosition(double lat, double lon); - Tizen::Base::String GetEmailTextMark(UserMark const * pMark); - -private: - shared_ptr m_pCurBookMarkCopy; -}; - -BookMarkManager & GetBMManager(); -} diff --git a/tizen/MapsWithMe/inc/CategoryForm.hpp b/tizen/MapsWithMe/inc/CategoryForm.hpp deleted file mode 100644 index 44aee310aee..00000000000 --- a/tizen/MapsWithMe/inc/CategoryForm.hpp +++ /dev/null @@ -1,59 +0,0 @@ -#pragma once - -#include - -class CategoryForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::Controls::IListViewItemProviderF -, public Tizen::Ui::Controls::IListViewItemEventListener -, public Tizen::Ui::Scenes::ISceneEventListener -, public Tizen::Ui::ITextEventListener -{ -public: - CategoryForm(); - virtual ~CategoryForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state){} - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction) {} - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback) {} - // ISceneEventListener - virtual void OnSceneActivatedN(const Tizen::Ui::Scenes::SceneId & previousSceneId, - const Tizen::Ui::Scenes::SceneId & currentSceneId, Tizen::Base::Collection::IList * pArgs); - virtual void OnSceneDeactivated(const Tizen::Ui::Scenes::SceneId & currentSceneId, - const Tizen::Ui::Scenes::SceneId & nextSceneId){} - // Tizen::Ui::ITextEventListener - virtual void OnTextValueChangeCanceled (Tizen::Ui::Control const & source){} - virtual void OnTextValueChanged (Tizen::Ui::Control const & source); - - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - - void UpdateState(); - enum EElementID - { - ID_DELETE, - ID_COLOR, - ID_NAME, - ID_DISTANCE, - ID_DELETE_TXT - }; - enum EActionID - { - ID_VISIBILITY_ON, - ID_VISIBILITY_OFF, - ID_EDIT - }; - - bool m_bEditState; - int m_itemToDelete; - int m_curCategory; -}; diff --git a/tizen/MapsWithMe/inc/Constants.hpp b/tizen/MapsWithMe/inc/Constants.hpp deleted file mode 100644 index f2eb9f81e73..00000000000 --- a/tizen/MapsWithMe/inc/Constants.hpp +++ /dev/null @@ -1,56 +0,0 @@ -#pragma once - -#include - -namespace consts -{ -extern Tizen::Graphics::Color const white; -extern Tizen::Graphics::Color const gray; -extern Tizen::Graphics::Color const green; -extern Tizen::Graphics::Color const black; -extern Tizen::Graphics::Color const red; -extern Tizen::Graphics::Color const mainMenuGray; -//search -extern int const topHght; //margin from top to text -extern int const btwWdth; //margin between texts -extern int const imgWdth; //left img width -extern int const imgHght; //left img height -extern int const lstItmHght; //list item height -extern int const backWdth; //back txt width -extern int const mainFontSz; //big font -extern int const mediumFontSz; //medium font -extern int const minorFontSz; //small font -extern int const searchBarHeight; //search bar on main form - -//bookmark panel -extern int const markPanelHeight; -extern int const btnSz; - -//bookmark split panel -extern int const editBtnSz; -extern int const headerItemHeight; -extern int const settingsItemHeight; -extern int const groupItemHeight; -extern int const messageItemHeight; -extern int const headerSettingsHeight; -extern int const allItemsHeight; - - -extern const char * BM_COLOR_RED; -extern const char * BM_COLOR_YELLOW; -extern const char * BM_COLOR_BLUE; -extern const char * BM_COLOR_GREEN; -extern const char * BM_COLOR_PURPLE; -extern const char * BM_COLOR_ORANGE; -extern const char * BM_COLOR_BROWN; -extern const char * BM_COLOR_PINK; - -extern int const distanceWidth; -// bookmark categories -extern int const deleteWidth; - -//timer -extern int const DoubleClickTimeout; - -extern const char * SETTINGS_MAP_LICENSE; -}//consts diff --git a/tizen/MapsWithMe/inc/DownloadCountryForm.hpp b/tizen/MapsWithMe/inc/DownloadCountryForm.hpp deleted file mode 100644 index 0c4a3fa37cb..00000000000 --- a/tizen/MapsWithMe/inc/DownloadCountryForm.hpp +++ /dev/null @@ -1,74 +0,0 @@ -#pragma once - -#include -#include "../../../std/map.hpp" -#include "../../../map/framework.hpp" - -namespace storage -{ -class Storage; -} - -namespace Tizen{namespace Graphics -{ -class Bitmap; -}} - -class DownloadCountryForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::Scenes::ISceneEventListener -, public Tizen::Ui::Controls::IListViewItemProviderF -, public Tizen::Ui::Controls::IListViewItemEventListener -{ -public: - DownloadCountryForm(); - virtual ~DownloadCountryForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(const Tizen::Ui::Control & source, int actionId); - // ISceneEventListener - virtual void OnSceneActivatedN(const Tizen::Ui::Scenes::SceneId & previousSceneId, - const Tizen::Ui::Scenes::SceneId & currentSceneId, Tizen::Base::Collection::IList * pArgs); - virtual void OnSceneDeactivated(const Tizen::Ui::Scenes::SceneId & currentSceneId, - const Tizen::Ui::Scenes::SceneId & nextSceneId); - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state); - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction); - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback); - -private: - Tizen::Graphics::Bitmap const * GetFlag(storage::TIndex const & country); - bool IsGroup(storage::TIndex const & index) const; - storage::TIndex GetIndex(int const ind) const; - wchar_t const * GetNextScene() const; - storage::Storage & Storage() const; - void UpdateList(); - - void OnCountryDownloaded(storage::TIndex const & country); - void OnCountryDowloadProgres(storage::TIndex const & index, pair const & p); - - enum EEventIDs - { - ID_FORMAT_STRING = 500, - ID_FORMAT_FLAG, - ID_FORMAT_STATUS, - ID_FORMAT_DOWNLOADING_PROGR - }; - - map m_flags; - Tizen::Graphics::Bitmap const * m_downloadedBitmap; - Tizen::Graphics::Bitmap const * m_updateBitmap; - - storage::TIndex m_groupIndex; - Tizen::Base::String m_fromId; - int m_dowloadStatusSlot; - map > m_lastDownloadValue; -}; diff --git a/tizen/MapsWithMe/inc/FormFactory.hpp b/tizen/MapsWithMe/inc/FormFactory.hpp deleted file mode 100644 index b21b75ebaee..00000000000 --- a/tizen/MapsWithMe/inc/FormFactory.hpp +++ /dev/null @@ -1,27 +0,0 @@ -#pragma once -#include - -// Use 'extern' to eliminate duplicate data allocation. -extern const wchar_t * FORM_MAP; -extern const wchar_t * FORM_SETTINGS; -extern const wchar_t * FORM_DOWNLOAD_GROUP; -extern const wchar_t * FORM_DOWNLOAD_COUNTRY; -extern const wchar_t * FORM_DOWNLOAD_REGION; -extern const wchar_t * FORM_ABOUT; -extern const wchar_t * FORM_SEARCH; -extern const wchar_t * FORM_BMCATEGORIES; -extern const wchar_t * FORM_SELECT_BM_CATEGORY; -extern const wchar_t * FORM_SELECT_COLOR; -extern const wchar_t * FORM_CATEGORY; -extern const wchar_t * FORM_SHARE_POSITION; -extern const wchar_t * FORM_LICENSE; - -class FormFactory - : public Tizen::Ui::Scenes::IFormFactory -{ -public: - FormFactory(void); - virtual ~FormFactory(void); - - virtual Tizen::Ui::Controls::Form * CreateFormN(Tizen::Base::String const & formId, Tizen::Ui::Scenes::SceneId const & sceneId); -}; diff --git a/tizen/MapsWithMe/inc/Framework.hpp b/tizen/MapsWithMe/inc/Framework.hpp deleted file mode 100644 index 566b1e250fa..00000000000 --- a/tizen/MapsWithMe/inc/Framework.hpp +++ /dev/null @@ -1,31 +0,0 @@ -#pragma once -#include "../../../std/stdint.hpp" -#include "../../../std/noncopyable.hpp" -#include "../../../std/shared_ptr.hpp" - -class Framework; -namespace Tizen { namespace Ui { namespace Controls -{ -class Form; -}}} - -namespace tizen -{ -class RenderContext; -class VideoTimer1; - -class Framework : public noncopyable -{ -public: - explicit Framework(Tizen::Ui::Controls::Form * form); - virtual ~Framework(); - static ::Framework * GetInstance(); - void Draw(); - -private: - static ::Framework * m_Instance; - VideoTimer1 * m_VideoTimer; - shared_ptr m_context; -}; - -} diff --git a/tizen/MapsWithMe/inc/LicenseForm.hpp b/tizen/MapsWithMe/inc/LicenseForm.hpp deleted file mode 100644 index 9f8673d7901..00000000000 --- a/tizen/MapsWithMe/inc/LicenseForm.hpp +++ /dev/null @@ -1,21 +0,0 @@ -#pragma once - -#include - -class LicenseForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -{ -public: - LicenseForm(); - virtual ~LicenseForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - -private: - static const int ID_AGREE = 101; - static const int ID_DISAGREE = 102; -}; diff --git a/tizen/MapsWithMe/inc/MapsWithMeApp.h b/tizen/MapsWithMe/inc/MapsWithMeApp.h deleted file mode 100644 index 4db47b7da8f..00000000000 --- a/tizen/MapsWithMe/inc/MapsWithMeApp.h +++ /dev/null @@ -1,58 +0,0 @@ -#pragma once -#include -#include -#include -#include - -namespace tizen -{ -class Framework; -} - - -// The MapsWithMeApp class must inherit from the UiApp class, -// which provides the basic features necessary to define a UI application. - -class MapsWithMeApp - : public Tizen::App::UiApp - , public Tizen::System::IScreenEventListener -{ -public: - // The platform calls this method to create the application instance. - static Tizen::App::UiApp* CreateInstance(void); - MapsWithMeApp(void); - virtual ~MapsWithMeApp(void); - result Draw(); - -private: - // Called when the UI application is initializing. - virtual bool OnAppInitializing(Tizen::App::AppRegistry& appRegistry); - - // Called when the UI application initialization is finished. - virtual bool OnAppInitialized(void); - - // Called when the END key is pressed to terminate the UI application (if the device has the END key). - virtual bool OnAppWillTerminate(void); - - // Called when the UI application is terminating. - virtual bool OnAppTerminating(Tizen::App::AppRegistry& appRegistry, bool forcedTermination = false); - - // Called when the UI application's frame moves to the foreground. - virtual void OnForeground(void); - - // Called when the UI application's frame is moved from the foreground to the background. - virtual void OnBackground(void); - - // Called when system memory is no longer sufficient to run the UI application. Clean up unnecessary resources to release memory, or terminate the application. - virtual void OnLowMemory(void); - - // Called when the battery level changes. - virtual void OnBatteryLevelChanged(Tizen::System::BatteryLevel batteryLevel); - - // Called when the screen switches on. - virtual void OnScreenOn(void); - - // Called when the screen switches off. - virtual void OnScreenOff(void); -}; - diff --git a/tizen/MapsWithMe/inc/MapsWithMeForm.hpp b/tizen/MapsWithMe/inc/MapsWithMeForm.hpp deleted file mode 100644 index 6ef2b31cb14..00000000000 --- a/tizen/MapsWithMe/inc/MapsWithMeForm.hpp +++ /dev/null @@ -1,154 +0,0 @@ -#pragma once - -#include -#include -#include -#include "../../../map/user_mark.hpp" -#include "TouchProcessor.hpp" - -namespace tizen -{ -class Framework; -} - -class UserMarkPanel; -class BookMarkSplitPanel; - -class MapsWithMeForm -: public Tizen::Ui::Controls::Form - , public Tizen::Ui::ITouchEventListener - , public Tizen::Ui::IActionEventListener - , public Tizen::Locations::ILocationProviderListener - , public Tizen::Ui::Controls::IFormBackEventListener - , public Tizen::Ui::Controls::IListViewItemProviderF - , public Tizen::Ui::Controls::IListViewItemEventListener - , public Tizen::Ui::Scenes::ISceneEventListener - , public Tizen::Ui::Controls::IFormMenuEventListener - , public Tizen::Ui::Controls::ISearchBarEventListener - , public Tizen::Ui::ITextEventListener -{ -public: - MapsWithMeForm(); - virtual ~MapsWithMeForm(void); - - virtual result OnDraw(void); - bool Initialize(void); - virtual result OnInitializing(void); - - // ITouchEventListener - virtual void OnTouchFocusIn (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchFocusOut (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchMoved (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchPressed (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - virtual void OnTouchReleased (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - - // IActionEventListener - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - - // ILocationProviderListener - virtual void OnLocationUpdated(Tizen::Locations::Location const & location); - virtual void OnLocationUpdateStatusChanged(Tizen::Locations::LocationServiceStatus status); - virtual void OnAccuracyChanged(Tizen::Locations::LocationAccuracy accuracy); - - // IFormBackEventListener - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - // IFormMenuEventListener - virtual void OnFormMenuRequested(Tizen::Ui::Controls::Form & source); - - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state){} - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction){} - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback){} - // ISceneEventListener - virtual void OnSceneActivatedN(const Tizen::Ui::Scenes::SceneId & previousSceneId, - const Tizen::Ui::Scenes::SceneId & currentSceneId, Tizen::Base::Collection::IList * pArgs); - virtual void OnSceneDeactivated(const Tizen::Ui::Scenes::SceneId & currentSceneId, - const Tizen::Ui::Scenes::SceneId & nextSceneId){} - // ISearchBarEventListener - virtual void OnSearchBarModeChanged(Tizen::Ui::Controls::SearchBar & source, Tizen::Ui::Controls::SearchBarMode mode); - // ITextEventListener - virtual void OnTextValueChangeCanceled(const Tizen::Ui::Control & source){} - virtual void OnTextValueChanged(const Tizen::Ui::Control & source); - - //IUserMarkListener - void OnUserMark(UserMarkCopy * pCopy); - void OnDismissListener(); - - void UpdateButtons(); - - void CreateSplitPanel(); - void ShowSplitPanel(); - void HideSplitPanel(); - bool m_splitPanelEnabled; - - void CreateBookMarkPanel(); - void ShowBookMarkPanel(); - void HideBookMarkPanel(); - bool m_bookMarkPanelEnabled; - - void CreateBookMarkSplitPanel(); - void ShowBookMarkSplitPanel(); - void HideBookMarkSplitPanel(); - void UpdateBookMarkSplitPanelState(); - bool m_bookMArkSplitPanelEnabled; - - void CreateSearchBar(); - void ShowSearchBar(); - void HideSearchBar(); - bool m_searchBarEnabled; - Tizen::Base::String m_searchText; - -private: - bool m_locationEnabled; - - enum EEventIDs - { - ID_GPS = 101, - ID_SEARCH, - ID_MENU, - ID_STAR, - ID_BUTTON_SCALE_PLUS, - ID_BUTTON_SCALE_MINUS, - ID_SEARCH_CANCEL - }; - - enum EMainMenuItems - { - //eDownloadProVer = 0, - eDownloadMaps, - eSettings, - eSharePlace - }; - - Tizen::Locations::LocationProvider * m_pLocProvider; - - Tizen::Ui::Controls::Button * m_pButtonScalePlus; - Tizen::Ui::Controls::Button * m_pButtonScaleMinus; - - Tizen::Ui::Controls::SplitPanel * m_pSplitPanel; - Tizen::Ui::Controls::Panel* m_pFirstPanel; - Tizen::Ui::Controls::Panel* m_pSecondPanel; - Tizen::Ui::Controls::SearchBar * m_pSearchBar; - - UserMarkPanel * m_userMarkPanel; - BookMarkSplitPanel * m_bookMarkSplitPanel; - - tizen::Framework * m_pFramework; - - TouchProcessor m_touchProcessor; -}; diff --git a/tizen/MapsWithMe/inc/MapsWithMeFrame.h b/tizen/MapsWithMe/inc/MapsWithMeFrame.h deleted file mode 100644 index 2d92cccb45f..00000000000 --- a/tizen/MapsWithMe/inc/MapsWithMeFrame.h +++ /dev/null @@ -1,25 +0,0 @@ -#pragma once - -#include -#include -#include - -class MapsWithMeFrame - : public Tizen::Ui::Controls::Frame - , public Tizen::Ui::IPropagatedKeyEventListener -{ -public: - MapsWithMeFrame(void); - virtual ~MapsWithMeFrame(void); - -private: - virtual result OnInitializing(void); - virtual result OnTerminating(void); - // key events for back-key - virtual bool OnKeyPressed(Tizen::Ui::Control& source, const Tizen::Ui::KeyEventInfo& keyEventInfo) { return false; }; - virtual bool OnKeyReleased(Tizen::Ui::Control& source, const Tizen::Ui::KeyEventInfo& keyEventInfo); - virtual bool OnPreviewKeyPressed(Tizen::Ui::Control& source, const Tizen::Ui::KeyEventInfo& keyEventInfo) { return false; }; - virtual bool OnPreviewKeyReleased(Tizen::Ui::Control& source, const Tizen::Ui::KeyEventInfo& keyEventInfo) { return false; }; - virtual bool TranslateKeyEventInfo(Tizen::Ui::Control& source, Tizen::Ui::KeyEventInfo& keyEventInfo) { return false; }; -}; - diff --git a/tizen/MapsWithMe/inc/RenderContext.hpp b/tizen/MapsWithMe/inc/RenderContext.hpp deleted file mode 100644 index 246b4385f0f..00000000000 --- a/tizen/MapsWithMe/inc/RenderContext.hpp +++ /dev/null @@ -1,23 +0,0 @@ -#pragma once -#include "../../../graphics/opengl/gl_render_context.hpp" -#include - -namespace tizen -{ -class RenderContext : public graphics::gl::RenderContext -{ -public: - RenderContext(); - virtual ~RenderContext(); - - bool Init(::Tizen::Ui::Controls::Form * form); - void SwapBuffers(); - virtual void makeCurrent(); - virtual RenderContext * createShared(); -private: - Tizen::Graphics::Opengl::EGLDisplay m_display; - Tizen::Graphics::Opengl::EGLSurface m_surface; - Tizen::Graphics::Opengl::EGLContext m_context; -}; - -} diff --git a/tizen/MapsWithMe/inc/SceneRegister.hpp b/tizen/MapsWithMe/inc/SceneRegister.hpp deleted file mode 100644 index 3623766eb2a..00000000000 --- a/tizen/MapsWithMe/inc/SceneRegister.hpp +++ /dev/null @@ -1,26 +0,0 @@ -#pragma once - -// Use 'extern' to eliminate duplicate data allocation. -extern const wchar_t * SCENE_MAP; -extern const wchar_t * SCENE_SETTINGS; -extern const wchar_t * SCENE_DOWNLOAD_GROUP; -extern const wchar_t * SCENE_DOWNLOAD_COUNTRY; -extern const wchar_t * SCENE_DOWNLOAD_REGION; -extern const wchar_t * SCENE_ABOUT; -extern const wchar_t * SCENE_SEARCH; -extern const wchar_t * SCENE_BMCATEGORIES; -extern const wchar_t * SCENE_SELECT_BM_CATEGORY; -extern const wchar_t * SCENE_SELECT_COLOR; -extern const wchar_t * SCENE_CATEGORY; -extern const wchar_t * SCENE_SHARE_POSITION; -extern const wchar_t * SCENE_LICENSE; - -class SceneRegister -{ -public: - static void RegisterAllScenes(void); - -private: - SceneRegister(void); - ~SceneRegister(void); -}; diff --git a/tizen/MapsWithMe/inc/SearchForm.hpp b/tizen/MapsWithMe/inc/SearchForm.hpp deleted file mode 100644 index 610675b91f4..00000000000 --- a/tizen/MapsWithMe/inc/SearchForm.hpp +++ /dev/null @@ -1,68 +0,0 @@ -#pragma once - -#include -#include "../../../search/result.hpp" - -class Framework; - -class SearchForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::Controls::IScrollEventListener -, public Tizen::Ui::Controls::IListViewItemProviderF -, public Tizen::Ui::Controls::IListViewItemEventListener -, public Tizen::Ui::ITextEventListener -, public Tizen::Ui::IKeypadEventListener -, public Tizen::Ui::Scenes::ISceneEventListener -{ -public: - SearchForm(); - virtual ~SearchForm(void); - - bool Initialize(void); -private: - - virtual result OnInitializing(void); - - // ITextEventListener - virtual void OnTextValueChanged(Tizen::Ui::Control const & source); - virtual void OnTextValueChangeCanceled(Tizen::Ui::Control const & source){} - // IFormBackEventListener - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - // IActionEventListener - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state){} - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction) {} - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback) {} - // IScrollEventListener - virtual void OnScrollEndReached (Tizen::Ui::Control & source, Tizen::Ui::Controls::ScrollEndEvent type){}; - virtual void OnScrollPositionChanged (Tizen::Ui::Control & source, int scrollPosition); - // IKeypadEventListener - virtual void OnKeypadActionPerformed (Tizen::Ui::Control & source, Tizen::Ui::KeypadAction keypadAction); - virtual void OnKeypadBoundsChanged (Tizen::Ui::Control & source) {}; - virtual void OnKeypadClosed (Tizen::Ui::Control & source){} - virtual void OnKeypadOpened (Tizen::Ui::Control & source){} - virtual void OnKeypadWillOpen (Tizen::Ui::Control & source){} - // ISceneEventListener - virtual void OnSceneActivatedN(const Tizen::Ui::Scenes::SceneId& previousSceneId, - const Tizen::Ui::Scenes::SceneId& currentSceneId, Tizen::Base::Collection::IList* pArgs); - virtual void OnSceneDeactivated(const Tizen::Ui::Scenes::SceneId& currentSceneId, - const Tizen::Ui::Scenes::SceneId& nextSceneId){} - // search - void OnSearchResultsReceived(search::Results const & results); - - void UpdateList(); - Tizen::Base::String GetSearchString() const; - bool IsShowCategories() const; - void Search(Tizen::Base::String const & val); - -private: - search::Results m_curResults; - Tizen::Ui::Controls::SearchBar * m_searchBar; -}; diff --git a/tizen/MapsWithMe/inc/SelectBMCategoryForm.hpp b/tizen/MapsWithMe/inc/SelectBMCategoryForm.hpp deleted file mode 100644 index c8a8a2bc700..00000000000 --- a/tizen/MapsWithMe/inc/SelectBMCategoryForm.hpp +++ /dev/null @@ -1,34 +0,0 @@ -#pragma once - -#include -namespace bookmark -{ -class BookMarkManager; -} - -class SelectBMCategoryForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::Controls::IListViewItemProviderF -, public Tizen::Ui::Controls::IListViewItemEventListener -, public Tizen::Ui::ITextEventListener -{ -public: - SelectBMCategoryForm(); - virtual ~SelectBMCategoryForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - //IListViewItemProvider - virtual Tizen::Ui::Controls::ListItemBase * CreateItem (int index, float itemWidth); - virtual bool DeleteItem (int index, Tizen::Ui::Controls::ListItemBase * pItem, float itemWidth); - virtual int GetItemCount(void); - // IListViewItemEventListener - virtual void OnListViewContextItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListContextItemStatus state){} - virtual void OnListViewItemStateChanged(Tizen::Ui::Controls::ListView & listView, int index, int elementId, Tizen::Ui::Controls::ListItemStatus status); - virtual void OnListViewItemSwept(Tizen::Ui::Controls::ListView & listView, int index, Tizen::Ui::Controls::SweepDirection direction) {} - virtual void OnListViewItemLongPressed(Tizen::Ui::Controls::ListView & listView, int index, int elementId, bool & invokeListViewItemCallback) {} - // ITextEventListener - virtual void OnTextValueChangeCanceled (Tizen::Ui::Control const & source); - virtual void OnTextValueChanged (Tizen::Ui::Control const & source); -}; diff --git a/tizen/MapsWithMe/inc/SelectColorForm.hpp b/tizen/MapsWithMe/inc/SelectColorForm.hpp deleted file mode 100644 index dcc0df3ea0a..00000000000 --- a/tizen/MapsWithMe/inc/SelectColorForm.hpp +++ /dev/null @@ -1,30 +0,0 @@ -#pragma once - -#include - -class SelectColorForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -{ -public: - SelectColorForm(); - virtual ~SelectColorForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - -private: - enum EActionId - { - ID_RED, - ID_BLUE, - ID_BROWN, - ID_GREEN, - ID_ORANGE, - ID_PINK, - ID_PURPLE, - ID_YELLOW - }; -}; diff --git a/tizen/MapsWithMe/inc/SettingsForm.hpp b/tizen/MapsWithMe/inc/SettingsForm.hpp deleted file mode 100644 index b80e410a5ae..00000000000 --- a/tizen/MapsWithMe/inc/SettingsForm.hpp +++ /dev/null @@ -1,29 +0,0 @@ -#pragma once -#include - -class MapsWithMeForm; - -class SettingsForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::Controls::IFormBackEventListener -{ -public: - SettingsForm(MapsWithMeForm * pMainForm); - virtual ~SettingsForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - -private: - static const int ID_BUTTON_STORAGE = 101; - static const int ID_BUTTON_BACK = 102; - static const int ID_SCALE_CHECKED = 201; - static const int ID_SCALE_UNCHECKED = 202; - static const int ID_METER_CHECKED = 301; - static const int ID_FOOT_CHECKED = 302; - static const int ID_ABOUT_CHECKED = 401; - - MapsWithMeForm * m_pMainForm; -}; diff --git a/tizen/MapsWithMe/inc/SharePositionForm.hpp b/tizen/MapsWithMe/inc/SharePositionForm.hpp deleted file mode 100644 index 80b9558a23f..00000000000 --- a/tizen/MapsWithMe/inc/SharePositionForm.hpp +++ /dev/null @@ -1,35 +0,0 @@ -#pragma once - -#include - -class SharePositionForm: public Tizen::Ui::Controls::Form -, public Tizen::Ui::Controls::IFormBackEventListener -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::Scenes::ISceneEventListener -{ -public: - SharePositionForm(); - virtual ~SharePositionForm(void); - - bool Initialize(void); - virtual result OnInitializing(void); - virtual void OnFormBackRequested(Tizen::Ui::Controls::Form & source); - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - // ISceneEventListener - virtual void OnSceneActivatedN(Tizen::Ui::Scenes::SceneId const & previousSceneId, - Tizen::Ui::Scenes::SceneId const & currentSceneId, Tizen::Base::Collection::IList * pArgs); - virtual void OnSceneDeactivated(Tizen::Ui::Scenes::SceneId const & currentSceneId, - Tizen::Ui::Scenes::SceneId const & nextSceneId){} - - enum EActions - { - ID_CANCEL, - ID_SEND_MESSAGE, - ID_SEND_EMAIL, - ID_COPY_TO_CLIPBOARD - }; - - bool m_sharePosition; - Tizen::Base::String m_messageSMS; - Tizen::Base::String m_messageEmail; -}; diff --git a/tizen/MapsWithMe/inc/TouchProcessor.cpp b/tizen/MapsWithMe/inc/TouchProcessor.cpp deleted file mode 100644 index f83860edb47..00000000000 --- a/tizen/MapsWithMe/inc/TouchProcessor.cpp +++ /dev/null @@ -1,210 +0,0 @@ -#include "TouchProcessor.hpp" -#include "MapsWithMeForm.hpp" -#include "Framework.hpp" -#include "Constants.hpp" - -#include "../../../map/framework.hpp" -#include "../../../gui/controller.hpp" - -#include -#include - -using namespace Tizen::Ui; -using Tizen::Ui::TouchEventManager; -using namespace Tizen::Graphics; -using namespace Tizen::Base::Runtime; -using namespace consts; -using Tizen::Base::Collection::IListT; - -namespace -{ -void GetTouchedPoints(Rectangle const & rect, TouchProcessor::TPointPairs & res) -{ - res.clear(); - IListT * pList = TouchEventManager::GetInstance()->GetTouchInfoListN(); - if (pList) - { - int count = pList->GetCount(); - for (int i = 0; i < count; ++i) - { - TouchEventInfo * pTouchInfo; - pList->GetAt(i, pTouchInfo); - Point pt = pTouchInfo->GetCurrentPosition(); - res.push_back(m2::PointD(pt.x - rect.x, pt.y - rect.y)); - } - - pList->RemoveAll(); - delete pList; - } -} -} - -TouchProcessor::TouchProcessor(MapsWithMeForm * pForm) -:m_state(ST_EMPTY), - m_pForm(pForm) -{ - m_timer.Construct(*this); -} - -void TouchProcessor::StartMove(TPointPairs const & pts) -{ - ::Framework * pFramework = tizen::Framework::GetInstance(); - if (pts.size() == 1) - { - pFramework->StartDrag(DragEvent(m_startTouchPoint.x, m_startTouchPoint.y)); - pFramework->DoDrag(DragEvent(pts[0].x, pts[0].y)); - m_state = ST_MOVING; - } - else if (pts.size() > 1) - { - pFramework->StartScale(ScaleEvent(pts[0].x, pts[0].y, pts[1].x, pts[1].y)); - m_state = ST_ROTATING; - } -} - -void TouchProcessor::OnTouchPressed(Tizen::Ui::Control const & source, - Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo) -{ - m_wasLongPress = false; - m_bWasReleased = false; - GetTouchedPoints(m_pForm->GetClientAreaBounds(), m_prev_pts); - m_startTouchPoint = m_prev_pts[0]; - - if (m_state == ST_WAIT_TIMER) // double click - { - m_state = ST_EMPTY; - ::Framework * pFramework = tizen::Framework::GetInstance(); - pFramework->ScaleToPoint(ScaleToPointEvent(m_prev_pts[0].x, m_prev_pts[0].y, 2.0)); - m_timer.Cancel(); - return; - } - else - { - m_state = ST_WAIT_TIMER; - m_timer.Start(DoubleClickTimeout); - } -} - -void TouchProcessor::OnTimerExpired (Timer &timer) -{ - if (m_state != ST_WAIT_TIMER) - LOG(LERROR, ("Undefined behavior, on timer")); - - m_state = ST_EMPTY; - if (m_prev_pts.empty()) - return; - ::Framework * pFramework = tizen::Framework::GetInstance(); - if (pFramework->GetGuiController()->OnTapStarted(m_startTouchPoint)) - { - pFramework->GetGuiController()->OnTapEnded(m_startTouchPoint); - } - else if (m_bWasReleased) - { - pFramework->GetBalloonManager().OnShowMark(pFramework->GetUserMark(m_startTouchPoint, false)); - m_bWasReleased = false; - } - else - { - StartMove(m_prev_pts); - } -} - -void TouchProcessor::OnTouchLongPressed(Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo) -{ - m_wasLongPress = true; - TPointPairs pts; - GetTouchedPoints(m_pForm->GetClientAreaBounds(), pts); - if (pts.size() > 0) - { - ::Framework * pFramework = tizen::Framework::GetInstance(); - pFramework->GetBalloonManager().OnShowMark(pFramework->GetUserMark(pts[0], true)); - } -} - -void TouchProcessor::OnTouchMoved(Tizen::Ui::Control const & source, - Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo) -{ - if (m_state == ST_EMPTY) - { - LOG(LERROR, ("Undefined behavior, OnTouchMoved")); - return; - } - - TPointPairs pts; - GetTouchedPoints(m_pForm->GetClientAreaBounds(), pts); - if (pts.empty()) - return; - - ::Framework * pFramework = tizen::Framework::GetInstance(); - if (m_state == ST_WAIT_TIMER) - { - double dist = sqrt(pow(pts[0].x - m_startTouchPoint.x, 2) + pow(pts[0].y - m_startTouchPoint.y, 2)); - if (dist > 20) - { - m_timer.Cancel(); - StartMove(pts); - } - else - return; - } - - if (pts.size() == 1) - { - if (m_state == ST_ROTATING) - { - pFramework->StopScale(ScaleEvent(m_prev_pts[0].x, m_prev_pts[0].y, m_prev_pts[1].x, m_prev_pts[1].y)); - pFramework->StartDrag(DragEvent(pts[0].x, pts[0].y)); - } - else if (m_state == ST_MOVING) - { - pFramework->DoDrag(DragEvent(pts[0].x, pts[0].y)); - } - m_state = ST_MOVING; - } - else if (pts.size() > 1) - { - if (m_state == ST_ROTATING) - { - pFramework->DoScale(ScaleEvent(pts[0].x, pts[0].y, pts[1].x, pts[1].y)); - } - else if (m_state == ST_MOVING) - { - pFramework->StopDrag(DragEvent(m_prev_pts[0].x, m_prev_pts[0].y)); - pFramework->StartScale(ScaleEvent(pts[0].x, pts[0].y, pts[1].x, pts[1].y)); - } - m_state = ST_ROTATING; - } - std::swap(m_prev_pts, pts); -} - -void TouchProcessor::OnTouchReleased(Tizen::Ui::Control const & source, - Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo) -{ - if (m_state == ST_EMPTY) - { - LOG(LERROR, ("Undefined behavior")); - return; - } - - if (m_state == ST_WAIT_TIMER) - { - m_bWasReleased = true; - return; - } - - ::Framework * pFramework = tizen::Framework::GetInstance(); - if (m_state == ST_MOVING) - { - pFramework->StopDrag(DragEvent(m_prev_pts[0].x, m_prev_pts[0].y)); - } - else if (m_state == ST_ROTATING) - { - pFramework->StopScale(ScaleEvent(m_prev_pts[0].x, m_prev_pts[0].y, m_prev_pts[1].x, m_prev_pts[1].y)); - } - m_state = ST_EMPTY; -} diff --git a/tizen/MapsWithMe/inc/TouchProcessor.hpp b/tizen/MapsWithMe/inc/TouchProcessor.hpp deleted file mode 100644 index 713651ec1bc..00000000000 --- a/tizen/MapsWithMe/inc/TouchProcessor.hpp +++ /dev/null @@ -1,57 +0,0 @@ -#pragma once - -#include - -#include "../../../std/utility.hpp" -#include "../../../std/vector.hpp" -#include "../../../map/user_mark.hpp" - -class MapsWithMeForm; - -class TouchProcessor: public Tizen::Ui::ITouchEventListener - , public Tizen::Base::Runtime::ITimerEventListener -{ -public: - explicit TouchProcessor(MapsWithMeForm * pForm); - // ITouchEventListener - virtual void OnTouchFocusIn (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchFocusOut (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchMoved (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - virtual void OnTouchPressed (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - virtual void OnTouchReleased (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - virtual void OnTouchLongPressed(Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - // ITimerEventListener - virtual void OnTimerExpired (Tizen::Base::Runtime::Timer & timer); - - typedef vector TPointPairs; -private: - - void StartMove(TPointPairs const & pts); - enum EState - { - ST_WAIT_TIMER, - ST_MOVING, - ST_ROTATING, - ST_EMPTY - }; - - EState m_state; - MapsWithMeForm * m_pForm; - bool m_wasLongPress; - bool m_bWasReleased; - m2::PointD m_startTouchPoint; - TPointPairs m_prev_pts; - Tizen::Base::Runtime::Timer m_timer; -}; diff --git a/tizen/MapsWithMe/inc/UserMarkPanel.hpp b/tizen/MapsWithMe/inc/UserMarkPanel.hpp deleted file mode 100644 index b5669a2490f..00000000000 --- a/tizen/MapsWithMe/inc/UserMarkPanel.hpp +++ /dev/null @@ -1,52 +0,0 @@ -#pragma once - -#include - -class UserMark; -class MapsWithMeForm; - -class UserMarkPanel: public Tizen::Ui::Controls::Panel -, public Tizen::Ui::IActionEventListener -, public Tizen::Ui::ITouchEventListener -{ -public: - UserMarkPanel(); - virtual ~UserMarkPanel(void); - void Enable(); - void Disable(); - - bool Construct(const Tizen::Graphics::FloatRectangle& rect); - void SetMainForm(MapsWithMeForm * pMainForm); - // IActionEventListener - virtual void OnActionPerformed(Tizen::Ui::Control const & source, int actionId); - // ITouchEventListener - virtual void OnTouchFocusIn (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchFocusOut (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchMoved (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchPressed (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo); - virtual void OnTouchReleased (Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - virtual void OnTouchLongPressed(Tizen::Ui::Control const & source, - Tizen::Graphics::Point const & currentPosition, - Tizen::Ui::TouchEventInfo const & touchInfo){} - - void UpdateState(); - UserMark const * GetCurMark(); -private: - MapsWithMeForm * m_pMainForm; - Tizen::Ui::Controls::Label * m_pLabel; - Tizen::Ui::Controls::Button * m_pButton; - enum EActions - { - ID_STAR - }; -}; diff --git a/tizen/MapsWithMe/inc/Utils.hpp b/tizen/MapsWithMe/inc/Utils.hpp deleted file mode 100644 index e6787c4c984..00000000000 --- a/tizen/MapsWithMe/inc/Utils.hpp +++ /dev/null @@ -1,23 +0,0 @@ -#pragma once -#include - -namespace Tizen -{ -namespace Graphics -{ -class Bitmap; -} // namespace Graphics -} // namespace Tizen - -class Framework; -class UserMarkCopy; - -Tizen::Base::String GetString(const wchar_t * IDC); -Tizen::Base::String FormatString1(const wchar_t * IDC, Tizen::Base::String const & param1); -Tizen::Base::String FormatString2(const wchar_t * IDC, Tizen::Base::String const & param1, Tizen::Base::String const & param2); -bool MessageBoxAsk(Tizen::Base::String const & title, Tizen::Base::String const & msg); -void MessageBoxOk(Tizen::Base::String const & title, Tizen::Base::String const & msg); -Tizen::Graphics::Bitmap const * GetBitmap(const wchar_t * sBitmapPath); -::Framework * GetFramework(); - -Tizen::Base::String GetFeature(Tizen::Base::String const & feature); diff --git a/tizen/MapsWithMe/inc/VideoTimer.hpp b/tizen/MapsWithMe/inc/VideoTimer.hpp deleted file mode 100644 index 9bd27e6f1fb..00000000000 --- a/tizen/MapsWithMe/inc/VideoTimer.hpp +++ /dev/null @@ -1,28 +0,0 @@ -#pragma once - -#include -#include "../../../map/framework.hpp" - -namespace tizen -{ - -class VideoTimer1 - : public ::VideoTimer - , public Tizen::Base::Runtime::ITimerEventListener -{ -public: - VideoTimer1(TFrameFn fn); - virtual ~VideoTimer1(); - - virtual void resume(); - virtual void pause(); - - virtual void start(); - virtual void stop(); - - void OnTimerExpired(Tizen::Base::Runtime::Timer & timer); -private: - Tizen::Base::Runtime::Timer m_timer; -}; - -} diff --git a/tizen/MapsWithMe/manifest.xml b/tizen/MapsWithMe/manifest.xml deleted file mode 100644 index 993882197ce..00000000000 --- a/tizen/MapsWithMe/manifest.xml +++ /dev/null @@ -1,32 +0,0 @@ - - - 3BMaQARPoL - 3.0.0 - C++App - - true - true - 2.2 - true - - - 2.2 - - http://tizen.org/privilege/web.service - http://tizen.org/privilege/location - http://tizen.org/privilege/application.launch - http://tizen.org/privilege/http - - - - - - MapsWithMe - - - Pro.png - - - - - diff --git a/tizen/MapsWithMe/res/ces-CZ.xml b/tizen/MapsWithMe/res/ces-CZ.xml deleted file mode 100644 index 7537cb9b4a4..00000000000 --- a/tizen/MapsWithMe/res/ces-CZ.xml +++ /dev/null @@ -1,165 +0,0 @@ - - - - - - - - O aplikaci - - Zrušit - - Zrušit stahování - - Smazat - Stáhnout mapy - - Kilometry - - Míle - - Připojení k Internetu nenalezeno - - Připojení k WiFi nenalezeno. Chcete použít mobilní sítě (GPRS, EDGE, 3G nebo LTE) pro stažení %s? - - Pro stahování větších map doporučujeme používat WiFi - Stáhnout - - Stahování selhalo: %s - - Přidat novou skupinu záložek - - Barva záložky - - Záložky - - Nastavení - - Viditelné - - Měřicí jednotky - - Vyberte si míle nebo kilometry - - Jídlo - - Doprava - - Čerpací stanice - - Parkoviště - - Obchod - Hotel - - Pamětihodnost - - Zábava - - Bankomat - - Banka - - Lékárna - - Nemocnice - - Záchody - - Pošta - - Policie - - Žádné výsledky - - Upravit - - Vaše poloha zatím nebyla určena - - Koukni na mou značku na mapě. Otevři odkaz: %1$s nebo %2$s - - Koukni kde jsem. Otevři odkaz: %1$s nebo %2$s - - Koukni na moji značku na mapě v MAPS.ME - - Ahoj,\n\noznačil/a jsem %1$s v MAPS.ME, offline mapách celého světa. Klepni na jeden z těchto odkazů %2$s, %3$s a uvidíš toto místo na mapě.\n\nDíky. - - Podívej se na mou aktuální polohu na mapě na MAPS.ME - - Ahoj,\n\nPrávě jsem tady: %1$s. Klepni na jeden z těchto odkazů %2$s, %3$s a uvidíš toto místo na mapě.\n\nDíky. - - Sdílet - - Zpráva - - E-mail - - Zkopírovat odkaz - - Hotovo - - Verze: %s - - Opravdu chcete pokračovat? - Sdílet mé umístění - Tlačítka přiblížení/oddálení - Zobrazit na obrazovce - - Tato aplikace využívá geografická data (zahrnující mapy, zakreslení firem a zájmových bodů, hranice států a regionů apod.), která byla převzata z otevřeného projektu OpenStreetMap. Konzistenci, přesnost, úplnost ani správnost těchto OpenStreetMap dat proto nemůžeme zaručit. - - Souhlasím - - Nesouhlasím - - WiFi - - Pro funkci vytváření tras je nutné aktualizovat mapu. - - Nová verze MAPS.ME umožňuje vytvářet trasy z vaší aktuální polohy do cílového bodu. Chcete-li tuto funkci používat, aktualizujte mapy. - - Aktualizovat vše - - Zrušit vše - - Stažené - - Stažené mapy - - Moje mapy - - ve frontě - - Při vytváření tras v aplikaci MAPS.ME mějte, prosím, na paměti následující:\n\n • Navrhované trasy lze brát jen jako doporučení.\n • Pravidla silničního provozu, aktuální podmínky na silnici a dopravní značení mají přednost před údaji z navigace.\n • Mapa může být nepřesná nebo zastaralá a navržené cesty nemusí být ideální.\n\nCestujte bezpečně a ohleduplně. Šťastnou cestu! - - Zastaralé - - Aktuální - - Aktualizace - - Selhalo - - Stáhnout mapu + trasy - - Stáhnout trasy - - Smazat trasy - - Stáhnout mapu - - Jet! - - Zkusit znovu - - Mapa + trasy - - Smazat mapu - - Aktualizovat mapu - - Aktualizovat mapu + trasy - - Pouze mapa - - Nabídka aplikace - diff --git a/tizen/MapsWithMe/res/deu-DE.xml b/tizen/MapsWithMe/res/deu-DE.xml deleted file mode 100644 index c8e792e30f6..00000000000 --- a/tizen/MapsWithMe/res/deu-DE.xml +++ /dev/null @@ -1,167 +0,0 @@ - - - - - - - - Über Karten - - Abbrechen - - Herunterladen abbrechen - - Löschen - Karten herunterladen - - Kilometer - - MB - - Meilen - - Keine Internetverbindung - - Keine WLAN-Verbindung. Möchten Sie %s über das Mobilnetz (GPRS, EDGE, 3G oder LTE) herunterladen? - - Wir empfehlen Ihnen, grosse Länder über eine WLAN-Verbindung herunterzuladen - Herunterladen - - %s Herunterladen fehlgeschlagen - - Neue Gruppe hinzufügen - - Lesezeichen-Farbe - - Lesezeichengruppen - - Einstellungen - - Sichtbar - - Maßeinheiten - - Wählen Sie zwischen Kilometern und Meilen - - Essen - - Verkehr - - Tankstelle - - Parkplatz - - Geschäft - Hotel - - Sehenswürdigkeit - - Unterhaltung - - Geldautomat - - Bank - - Apotheke - - Krankenhaus - - Toilette - - Post - - Polizeistation - - Keine Ergebnisse gefunden - - Bearbeiten - - Ihr Standort konnte noch nicht ermittelt werden - - Siehe meine Markierung auf MAPS.ME an. %1$s oder %2$s - Keine Offline-Karten installiert? Hier herunterladen: http://maps.me/get - - Schau wo ich gerade bin. Klicke auf den Link %1$s oder %2$s - Keine Offline-Karten installiert? Hier herunterladen: http://maps.me/get - - Schau dir meine Stecknadel auf der MAPS.ME-Karte an - - Hi,\n\nIch habe %1$s auf MAPS.ME, der Offline-Weltkarte, gepinnt. Klicke auf diesen Link %2$s oder diesen %3$s, um den Ort auf der Karte zu sehen.\n\nVielen Dank. - - Sieh dir meinen aktuellen Standort auf der MAPS.ME-Karte an - - Hi,\n\nich bin gerade hier: %1$s . Klicke den Link %2$s oder %3$s , um den Ort auf der Karte anzuzeigen.\n\nVielen Dank. - - Teilen - - Nachricht - - E-Mail - - Link kopieren - - Fertig - - Version: %s - - Möchten Sie wirklich fortfahren? - Meinen Standort teilen - Zoom-Tasten - Auf dem Bildschirm anzeigen - - Diese Anwendungen verwenden geographische Informationen (inklusive Karten, Geschäftseinträge, Sehenswürdigkeiten, Landes- und Regionsgrenzen, etc.) aus dem OpenStreetMap-Projekt. Wir können weder die Beständigkeit noch die Genauigkeit, Vollständigkeit oder Eignung der OpenStreetMap-Daten garantieren. - - Ich stimme zu - - Ich stimme nicht zu - - WLAN - - Bitte aktualisieren Sie die Karte, um eine Route zu erstellen. - - Die neue Version von MAPS.ME ermöglicht das Erzeugen von Routen von Ihrem aktuellen Standort bis zum gewünschten Ziel. Bitte aktualisieren Sie Karten, um diese Funktion nutzen zu können. - - Alles aktualisieren - - Alle abbrechen - - Heruntergeladen - - Heruntergeladene Karten - - Meine Karten - - in der Warteschlange - - Beim Erstellen von Routen mit der MAPS.ME-App sollten Sie Folgendes beachten:\n\n - Vorgeschlagenen Routen können nur als Empfehlungen angesehen werden.\n - Straßenbedingungen, Verkehrsregeln und Schilder haben höhere Priorität als Navigationsratschläge.\n - Die Karte kann falsch oder veraltet sein und Routen könnten somit nicht auf die bestmögliche Weise erstellt worden sein.\n\n Bleiben Sie auf der Straße sicher und achten Sie auf sich selbst! - - Veraltet - - Aktuell - - Aktualisieren - - Fehlgeschlagen - - Karte + Routenplanung herunterladen - - Routenplanung herunterladen - - Routenplanung löschen - - Karte herunterladen - - Los! - - Wiederholen - - Karte + Routenplanung - - Karte löschen - - Karte aktualisieren - - Karte + Routenplanung aktualisieren - - Nur Karte - - Anwendungs-Menü - diff --git a/tizen/MapsWithMe/res/eng-GB.xml b/tizen/MapsWithMe/res/eng-GB.xml deleted file mode 100644 index c61fba9144a..00000000000 --- a/tizen/MapsWithMe/res/eng-GB.xml +++ /dev/null @@ -1,167 +0,0 @@ - - - - - - - - About - - Cancel - - Cancel Download - - Delete - Download Maps - - Kilometres - - MB - - Miles - - No Internet connection detected - - No WiFi connection detected. Would you like to use cellular data (GPRS, EDGE, 3G or LTE) to download %s? - - We recommend using WiFi to download large maps - Download - - %s download has failed - - Add new Set - - Bookmark Color - - Bookmarks - - Settings - - Visible - - Measurement units - - Choose between miles and kilometres - - Food - - Transport - - Gas - - Parking - - Shop - Hotel - - Sights - - Entertainment - - ATM - - Bank - - Pharmacy - - Hospital - - Toilet - - Post - - Police - - No results found - - Edit - - Your location hasn\'t been determined yet - - Hey, check out my pin at MAPS.ME! %1$s or %2$s Don\'t have offline maps installed? Download here: http://maps.me/get - - Hey, check out my current location at MAPS.ME! %1$s or %2$s Don\'t have offline maps? Download here: http://maps.me/get - - Hey, check out my pin at MAPS.ME map! - - Hi,\n\nI pinned: %1$s at MAPS.ME, world offline maps. Click this link %2$s or this one %3$s to see the place on the map.\n\nThanks. - - Hey, check out my current location at MAPS.ME map! - - Hi,\n\nI\'m here now: %1$s. Click this link %2$s or this one %3$s to see the place on the map.\n\nThanks. - - Share - - Message - - Email - - Copy Link - - Done - - Version: %s - - Are you sure you want to continue? - Share My Location - Zoom buttons - Display on the screen - - This applications uses geographical data (including maps, business listings, points of interest, borders of countries and regions, etc.) taken from the OpenStreetMap project. We do not warrant any consistency, accuracy, completeness or applicability of the OpenStreetMap data. - - I agree - - I disagree - - WiFi - - Please update the map to create a route - - The new version of MAPS.ME allows creating routes from your current position to a destination point. Please update maps to use this feature. - - Update all - - Cancel All - - Downloaded - - Downloaded maps - - My maps - - queued - - Creating routes in MAPS.ME app, please keep in mind the following:\n\n - Suggested routes can be considered as recommendations only.\n - Road conditions, traffic rules and signs have higher priority than navigation advice.\n - The map may be incorrect or outdated, and routes may not be created the best possible way.\n\n Be safe on roads and take care of yourself! - - Outdated - - Up-to-date - - Update - - Failed - - Download Map + Routing - - Download Routing - - Delete Routing - - Download map - - Go! - - Retry - - Map + Routing - - Delete Map - - Update Map - - Update Map + Routing - - Map Only - - Application menu - diff --git a/tizen/MapsWithMe/res/fra-FR.xml b/tizen/MapsWithMe/res/fra-FR.xml deleted file mode 100644 index 045c2d19f12..00000000000 --- a/tizen/MapsWithMe/res/fra-FR.xml +++ /dev/null @@ -1,167 +0,0 @@ - - - - - - - - À propos de - - Annuler - - Annuler le téléchargement - - Supprimer - Télécharger des cartes - - kilomètres - - Mo - - Miles - - Aucune connexion Internet détectée - - Aucun connexion Wi-Fi détectée. Désirez-vous utiliser les données mobiles (GPRS, EDGE, 3G ou LTE) pour télécharger %s ? - - Nous recommandons d\'utiliser une connexion Wi-Fi pour télécharger de grandes cartes - Télécharger - - %s, échec lors du téléchargement - - Ajouter un nouveau groupe - - Couleur du signet - - Signets - - Paramètres - - Visible - - Unités de mesure - - Choisir entre miles et kilomètres - - Nourriture - - Transport - - Essence - - Stationnement - - Magasin - Hôtel - - Site touristique - - Divertissement - - GAB - - Banque - - Pharmacie - - Hôpital/clinique - - Toilettes - - Poste - - Police/gendarmerie - - Aucun résultat trouvé - - Modifier - - Votre position n\'a pas encore été déterminée - - Hé, regarde mon épingle sur MAPS.ME ! %1$s ou %2$s. Les cartes hors ligne ne sont pas installées ? Les télécharger ici : http://maps.me/get - - Hé, regarde ma position actuelle sur MAPS.ME ! %1$s ou %2$s. Les cartes hors ligne ne sont pas installées ? Les télécharger ici : http://maps.me/get - - Hé, regarde mon épingle sur la carte MAPS.ME ! - - Bonjour,\n\nJ\'ai épinglé %1$s sur MAPS.ME, les cartes du monde hors ligne. Clique sur ce lien %2$s ou sur celui-ci %3$s pour voir l\'endroit sur la carte.\n\nMerci. - - Hé, regarde ma position actuelle sur la carte MAPS.ME ! - - Bonjour,\n\nJe suis actuelement ici : %1$s. Clique sur ce lien %2$s ou sur celui-ci %3$s pour voir l\'endroit sur la carte.\n\nMerci. - - Partager - - Message - - E-mail - - Copier le lien - - Terminé - - Version : %s - - Êtes-vous certain de vouloir continuer ? - Partager ma position - Boutons de zoom - Afficher à l\'écran - - Cette application utilise des données géographiques (incluant des cartes, des listes d\'entreprises, des centres d\'intérêt, des frontières de pays et de régions, etc.) extraites du projet OpenStreetMap. Nous ne garantissons aucune cohérence, exactitude, complétude ou applicabilité des données d\'OpenStreetMap. - - Je suis d\'accord - - Je ne suis pas d\'accord - - WiFi - - Veuillez mettre à jour la carte pour créer un itinéraire. - - La nouvelle version de MAPS.ME permet de créer des itinéraires à partir de votre position actuelle vers un point de destination. Veuillez mettre à jour les cartes pour utiliser cette fonctionnalité. - - Tout mettre à jour - - Tout annuler - - Téléchargé - - Cartes téléchargées - - Mes cartes - - en file d\'attente - - Quand vous créez des itinéraires sur l\'application MAPS.ME, veuillez garder à l\'esprit les points suivants :\n\n - Les itinéraires suggérés ne doivent être considérés que comme des recommandations.\n\n - Les conditions des routes, les règlementations de circulations et les panneaux sont prioritaires sur les conseils de navigation.\n\n - Il est possible qu\'une carte soit incorrecte ou obsolète, et les itinéraires ne sont pas toujours créés de la meilleure façon possible.\n\n Soyez prudents sur les routes et prenez soin de vous. - - Dépassé - - À jour - - Mettre à jour - - A échoué - - Télécharger Carte + Itinéraire - - Télécharger Itinéraire - - Supprimer Itinéraire - - Télécharger la carte - - Allez-y ! - - Réessayer - - Carte + itinéraire - - Supprimer carte - - Mise à jour carte - - Mise à jour carte + itinéraire - - Carte uniquement - - Menu principal - diff --git a/tizen/MapsWithMe/res/ita-IT.xml b/tizen/MapsWithMe/res/ita-IT.xml deleted file mode 100644 index bbbf896e41e..00000000000 --- a/tizen/MapsWithMe/res/ita-IT.xml +++ /dev/null @@ -1,159 +0,0 @@ - - - - - - - - Informazioni - - Annulla - - Annulla il download - - Cancella - Scarica le mappe - - Chilometri - - Miglia - - Non è stata rilevata alcuna connessione Internet - - Non è stata rilevata alcuna connessione WiFi. Vuoi utilizzare i dati cellulare (GPRS, EDGE, 3G o LTE) per scaricare %s? - - Ti consigliamo di utilizzare il WiFi per scaricare mappe di grandi dimensioni - Carica - - Il trasferimento di %s non è riuscito - - Aggiungi un nuovo Set - - Colore del Segnalibro - - Segnalibri - - Impostazioni - - Visibile - - Unità di misura - - Scegli tra miglia e chilometri - - Cibo - - Transporto - - Stazione di rifornimento - - Parcheggio - - Negozio - Hôtel - - Turistico - - Divertimento - - Bancomat - - Banca - - Farmacia - - Ospedale - - Toilette - - Posta - - Polizia - - Nessun risultato trovato - - Copia link - - La tua posizione non è stata ancora stabilita - - Vedi pin sulla mappa. Apri %1$s o %2$s - - Vedi dove sono ora. Apri %1$s o %2$s - - Dai uno sguardo al mio pin sulla mappa di MAPS.ME - - Ciao,\n\nHo segnato %1$s su MAPS.ME, le mappe del mondo offline. Clicca su questo link %2$s oppure su questo %3$s per vedere il posto sulla mappa.\n\nGrazie. - - Guarda dove mi trovo attualmente sulla mappa MAPS.ME - - Ciao,\n\nSono qui adesso: %1$s. Clicca su questo link %2$s oppure su questo %3$s per vedere il posto sulla mappa.\n\nGrazie. - - Condividi - - Messaggio - - E-mail - - Copia link - - Fine - - Versione: %s - - Sei sicuro di voler continuare? - Condividi la mia location - Pulsanti per lo zoom - Condividi la mia location - - WiFi - - Aggiorna la mappa per creare un itinerario. - - La nuova versione di MAPS.ME ti permette di creare itinerari dalla tua posizione attuale a un punto di destinazione. Aggiorna le mappe per utilizzare questa funzione. - - Aggiorna tutto - - Annulla tutto - - Scaricate - - Mappe scaricate - - Le mie mappe - - in coda - - Creando percorsi nell\'app MAPS.ME tieni a mente quanto segue:\n\n - I percorsi suggeriti possono essere considerati solo come consigliati.\n - Le condizioni della strada, le regole del traffico e i segnali hanno una priorità maggiore rispetto ai consigli sulla circolazione.\n - La mappa potrebbe essere scorretta o datata e i percorsi potrebbero non aver creato la strada migliore possibile.\n\n Stai attento sulle strade e prenditi cura di te! - - Obsoleto - - Aggiornato - - Aggiorna - - Fallito - - Scarica mappa e percorso - - Scarica percorso - - Elimina il percorso - - Scarica mappa - - Andare! - - Riprova - - Mappa + percorso - - Elimina mappa - - Aggiorna mappa - - Aggiorna mappa + percorso - - Solo mappa - - Menu applicazione - diff --git a/tizen/MapsWithMe/res/pol-PL.xml b/tizen/MapsWithMe/res/pol-PL.xml deleted file mode 100644 index 9aef8e04d6b..00000000000 --- a/tizen/MapsWithMe/res/pol-PL.xml +++ /dev/null @@ -1,159 +0,0 @@ - - - - - - - - O programie - - Anuluj - - Anuluj pobieranie - - Usuń - Pobierz mapy - - Kilometry - - Mile - - Nie wykryto połączenia z Internetem - - Nie wykryto połączenia z siecią WiFi. Czy chciałbyś skorzystać z trybu sieci danych (GPRS, EDGE, 3G lub LTE), aby pobrać %s? - - Zalecamy korzystanie z WiFi przy pobieraniu dużych map - Pobierz - - %s pobieranie nie powiodło się - - Dodaj nowy zestaw - - Kolor zakładki - - Zakładki - - Ustawienia - - Widoczne - - Jednostki miary - - Wybierz pomiędzy milami, a kilometrami - - Jedzenie - - Transport - - Stacja benzynowa - - Parking - - Sklep - Hotel - - Osobliwości miasta - - Rozrywka - - Bankomat - - Bank - - Apteka - - Szpital - - Toaleta - - Poczta - - Policja - - Nie znaleziono - - Edytuj - - Twoja lokalizacja nie została jeszcze określona - - Mój znacznik w MAPS.ME %1$s i %2$s - - Zobacz gdzie jestem. Link %1$s lub %2$s - - Obejrzyj mój znacznik na mapie w MAPS.ME - - Cześć,\n\nDodałem znacznik w: %1$s w aplikacji MAPS.ME, mapach offline całego świata. Naciśnij ten link %2$s lub ten %3$s by zobaczyć to miejsce na mapie.\n\nDziękuję. - - Zobacz moją aktualną lokalizację na mapie przy użyciu MAPS.ME - - Cześć,\n\nJestem teraz tutaj: %1$s. Naciśnij na ten link %2$s lub ten %3$s, aby zobaczyć to miejsce na mapie.\n\nDziękuję. - - Udostępnij - - Wiadomość - - E-mail - - Kopiuj link - - Zrobione - - Wersja: %s - - Czy na pewno kontynuować? - Udostępnij moją lokalizację - Przyciski powiększania - Wyświetl na ekranie - - WiFi - - Proszę zaktualizować mapę, by utworzyć trasę. - - Nowa wersja aplikacji MAPS.ME pozwala na tworzenie tras z Twojej bieżącej lokalizacji do punktu docelowego. Proszę zaktualizować mapy, by móc korzystać z tej funkcji. - - Uaktualnij wszystko - - Anuluj wszystko - - Pobrane - - Pobrane mapy - - Moje mapy - - w kolejce - - Podczas tworzenia tras w aplikacji MAPS.ME pamiętaj o poniższych zasadach:\n\n - Sugerowane trasy mogą być traktowane jedynie jako propozycje.\n - Warunki na drodze, przepisy ruchu drogowego i znaki mają większy priorytet niż wskazówki nawigacyjne.\n - Mapa może okazać się nieprawidłowa lub nieaktualna a trasy mogą nie zostać utworzone w sposób najlepszy z możliwych.\n\n Szerokiej drogi, uważaj na siebie! - - Nieaktualne - - Najnowsze - - Aktualizacja - - Nieudane - - Pobierz mapę + wyznaczanie tras - - Pobierz wyznaczanie tras - - Skasuj wyznaczanie tras - - Pobierz mapę - - Przejdź! - - Spróbuj ponownie - - Mapa + trasy - - Usuń mapę - - Aktualizuj mapę - - Aktualizuj mapę + trasy - - Tylko mapa - - Menu aplikacji - diff --git a/tizen/MapsWithMe/res/por-PT.xml b/tizen/MapsWithMe/res/por-PT.xml deleted file mode 100644 index 290672c5d1c..00000000000 --- a/tizen/MapsWithMe/res/por-PT.xml +++ /dev/null @@ -1,159 +0,0 @@ - - - - - - - - Sobre - - Cancelar - - Cancelar Descarga - - Eliminar - Descarregar mapas - - Quilómetros - - Milhas - - Não foi detetada uma ligação à Internet - - Não detetada uma ligação WiFi. Pretende utilizar os dados por pacotes (GPRS, EDGE, 3G or LTE) para descarregar %s? - - Recomendamos a utilização de WiFi para descarregar grandes mapas - Descarga - - %s descarga falhou - - Adicionar novo conjunto - - Cor de favoritos - - Favoritos - - Configurações - - Visível - - Unidades de medida - - Escolha entre milhas e quilómetros - - Alimentação - - Transporte - - Combustível - - Estacionamento - - Compras - Hotel - - Vistas - - Entretenimento - - Multibanco - - Banco - - Farmácia - - Hospital - - WC - - Correios - - Polícia - - Não foram encontrados resultados - - Editar - - A sua localização ainda não foi determinada - - Veja o meu marcador no mapa do MAPS.ME. Abra a hiperligação: %1$s ou %2$s - - Veja onde estou agora. Abra a hiperligação: %1$s ou %2$s - - Veja o meu marcador no mapa do MAPS.ME. - - Olá,\n\nFixei:%1$s na MAPS.ME, mapas offline mundiais. Clique nesta ligação %2$s ou nesta %3$s para ver o local no mapa.\n\nObrigado. - - Veja a minha localização atual em MAPS.ME map - - Olá,\n\nEstou aqui agora: %1$s. Clique nesta ligação %2$s ou nesta %3$s para ver o local no mapa.\n\nObrigado. - - Partilhar - - Mensagem - - E-mail - - Copiar hiperligação - - Feito - - Versão: %s - - Tem a certeza de que pretende continuar? - Partilhar a minha localização - Botões de zoom - Mostrar no ecrã - - WiFi - - Por favor, atualize o mapa para criar uma rota. - - A nova versão do MAPS.ME permite criar rotas a partir da sua posição atual para um ponto de destino. Por favor, atualize o maps para utilizar esta funcionalidade. - - Atualizar tudo - - Cancelar Tudo - - Descarregados - - Mapas descarregados - - Os meus mapas - - Na fila - - Ao criar rotas na aplicação MAPS.ME, por favor, lembre-se do seguinte:\n\n - As rotas sugeridas podem apenas ser consideradas como recomendações.\n - As condições da estrada, regras de trânsito e sinais têm maior prioridade do que os conselhos de navegação.\n - O mapa poderá estar errado, ou desatualizado, e as rotas poderão não ser criadas da melhor forma possível.\n\n Circule em segurança nas estradas e cuide do seu bem estar! - - Desatualizado - - Atualizado - - Atualizar - - Falhou - - Descarregar Mapa + Roteamento - - Descarregar Roteamento - - Apagar Roteamento - - Baixar o mapa - - Avançar! - - Tentar de novo - - Mapa + Criação de Trajeto - - Apagar Mapa - - Atualizar Mapa - - Atualizar Mapa + Criação de Trajeto - - Apenas Mapa - - Menu de Aplicação - diff --git a/tizen/MapsWithMe/res/rus-RU.xml b/tizen/MapsWithMe/res/rus-RU.xml deleted file mode 100644 index 8068c118f53..00000000000 --- a/tizen/MapsWithMe/res/rus-RU.xml +++ /dev/null @@ -1,167 +0,0 @@ - - - - - - - - О программе - - Отмена - - Отменить загрузку - - Удалить - Загрузить карты - - Километры - - МБ - - Мили - - Отсутствует подключение к интернету - - Нет WiFi соединения. Вы хотите загрузить %s через сотового оператора (GPRS, EDGE, 3G или LTE)? - - Мы рекомендуем загружать большие страны через WiFi - Загрузить - - Не удалось загрузить %s - - Добавить группу - - Цвет метки - - Метки - - Настройки - - Показывать на карте - - Единицы измерения - - Использовать километры или мили - - Еда - - Транспорт - - Заправка - - Парковка - - Магазин - Гостиница - - Достопримечательность - - Развлечения - - Банкомат - - Банк - - Аптека - - Больница - - Туалет - - Почта - - Полиция - - Нет результатов поиска - - Редактировать - - Ваше местоположение еще не определено - - Моя метка на карте. Жми %1$s или %2$s - - Смотри где я сейчас. Жми %1$s или %2$s - - Смотри мою метку на карте MAPS.ME - - Привет!\n\nОткрой эту ссылку %2$s либо эту %3$s, для того, чтобы увидеть мою метку %1$s на карте MAPS.ME.\n\nСпасибо. - - Посмотри на карте MAPS.ME, где я сейчас нахожусь - - Привет!\n\nЯ сейчас здесь: %1$s. Чтобы увидеть это место на карте MAPS.ME, открой эту ссылку %2$s или эту %3$s\n\nСпасибо. - - Поделиться - - Сообщение - - E-mail - - Скопировать ссылку - - Готово - - Версия: %s - - Вы уверены, что хотите продолжить? - Поделиться местоположением - Кнопки масштаба - Показать на карте - - Это приложение использует географические данные (включая карты, справочники, достопримечательности, границы стран и регионов, др.) взятые из проекта OpenStreetMap. Мы не гарантируем последовательности, точности, полноты и пригодности данных OpenStreetMap. - - Я согласен - - Я не согласен - - WiFi - - Пожалуйста, обновите карту для того, чтобы проложить маршрут. - - В новой версии MAPS.ME вы сможете строить маршруты от текущего местоположения до точки назначения. Чтобы воспользоваться этой функцией, обновите, пожалуйста, карты. - - Обновить все - - Отменить все - - Загружено - - Загруженные карты - - Мои карты - - в очереди - - Используя маршруты в приложении MAPS.ME, пожалуйста, учитывайте следующее:\n\n - Предлагаемые маршруты могут рассматриваться только в качестве рекомендации.\n - Дорожная обстановка, правила дорожного движения, знаки являются более приоритетными по сравнению с советами навигационной программы.\n - Карта может быть неточной или неактуальной, а предложенный маршрут не самым оптимальным.\n\n Будьте внимательны на дорогах и берегите себя! - - Неактуальные - - Обновленные - - Обновить - - Ошибка - - Загрузить карту + маршруты - - Загрузить маршруты - - Удалить маршруты - - Загрузить карту - - Поехали! - - Повторите попытку - - Карта + Маршруты - - Удалить карту - - Обновить карту - - Обновить карту + Маршруты - - Только карта - - Меню приложения - diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue.png deleted file mode 100644 index ee6d5ac9781..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue_pp.png deleted file mode 100644 index ae70a5d3f97..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue_selected.png deleted file mode 100644 index 1f15b222bd5..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/blue_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown.png deleted file mode 100644 index 9a2c802f4bc..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown_pp.png deleted file mode 100644 index 9b955798d02..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown_selected.png deleted file mode 100644 index 2a494f2fba4..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/brown_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green.png deleted file mode 100644 index 9972281ca11..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green_pp.png deleted file mode 100644 index 233d662c57b..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green_selected.png deleted file mode 100644 index 03f7a99417c..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/green_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange.png deleted file mode 100644 index 3d8c0d181e4..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange_pp.png deleted file mode 100644 index 19929ddd3b9..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange_selected.png deleted file mode 100644 index de7cb6a4307..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/orange_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink.png deleted file mode 100644 index bcb7efdbab7..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink_pp.png deleted file mode 100644 index 764a6259caf..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink_selected.png deleted file mode 100644 index 11e76708044..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/pink_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple.png deleted file mode 100644 index b922f1cf387..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple_pp.png deleted file mode 100644 index 8c0e482b0a0..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple_selected.png deleted file mode 100644 index 70ea04ee38f..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/purple_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red.png deleted file mode 100644 index dfd30a6257e..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red_pp.png deleted file mode 100644 index 14f23d04108..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red_selected.png deleted file mode 100644 index 1393e786c31..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/red_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow.png deleted file mode 100644 index 41159adb8be..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow_pp.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow_pp.png deleted file mode 100644 index b80bfc5b945..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow_pp.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow_selected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow_selected.png deleted file mode 100644 index 634f7a917f8..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/Color/yellow_selected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/ColorSelectorBackgound.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/ColorSelectorBackgound.png deleted file mode 100644 index b5aa63c832e..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/ColorSelectorBackgound.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/CompassArrow.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/CompassArrow.png deleted file mode 100644 index 9a3fc93c70c..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/CompassArrow.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/CompassBackground.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/CompassBackground.png deleted file mode 100644 index ca9caf2c3ed..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/CompassBackground.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageBookmarkButton.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageBookmarkButton.png deleted file mode 100644 index 14844c27c68..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageBookmarkButton.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageBookmarkButtonSelected.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageBookmarkButtonSelected.png deleted file mode 100644 index 032f804179f..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageBookmarkButtonSelected.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageEditButton.png b/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageEditButton.png deleted file mode 100644 index bfb464fbc34..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/PlacePage/PlacePageEditButton.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/Pro.png b/tizen/MapsWithMe/res/screen-density-high/Pro.png deleted file mode 100644 index 8878ce3e9a3..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/Pro.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/empty.png b/tizen/MapsWithMe/res/screen-density-high/bookmarksform/empty.png deleted file mode 100644 index 2b8a47a24c4..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/empty.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/eye.png b/tizen/MapsWithMe/res/screen-density-high/bookmarksform/eye.png deleted file mode 100644 index 3eac9a806aa..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/eye.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/ic_minus.png b/tizen/MapsWithMe/res/screen-density-high/bookmarksform/ic_minus.png deleted file mode 100644 index cf86d9cbbe1..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/ic_minus.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/ic_minus_rotated.png b/tizen/MapsWithMe/res/screen-density-high/bookmarksform/ic_minus_rotated.png deleted file mode 100644 index c57e5b307cd..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/bookmarksform/ic_minus_rotated.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/btn_location_normal.png b/tizen/MapsWithMe/res/screen-density-high/btn_location_normal.png deleted file mode 100644 index 08571819ca3..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/btn_location_normal.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/btn_location_pressed.png b/tizen/MapsWithMe/res/screen-density-high/btn_location_pressed.png deleted file mode 100644 index e725909ebde..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/btn_location_pressed.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/btn_menu_tail_normal.png b/tizen/MapsWithMe/res/screen-density-high/btn_menu_tail_normal.png deleted file mode 100644 index 87344f00142..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/btn_menu_tail_normal.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/btn_zoom_in.png b/tizen/MapsWithMe/res/screen-density-high/btn_zoom_in.png deleted file mode 100644 index ec648c16805..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/btn_zoom_in.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/btn_zoom_out.png b/tizen/MapsWithMe/res/screen-density-high/btn_zoom_out.png deleted file mode 100644 index 0fe481b52ad..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/btn_zoom_out.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/ic_downloaded_country.png b/tizen/MapsWithMe/res/screen-density-high/ic_downloaded_country.png deleted file mode 100644 index ccee2528a86..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/ic_downloaded_country.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/ic_update.png b/tizen/MapsWithMe/res/screen-density-high/ic_update.png deleted file mode 100644 index ad50edd2cf9..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/ic_update.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/ic_v.png b/tizen/MapsWithMe/res/screen-density-high/ic_v.png deleted file mode 100644 index dfe2f7af274..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/ic_v.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/menu.png b/tizen/MapsWithMe/res/screen-density-high/main_form_menu/menu.png deleted file mode 100644 index c04c53e20b4..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/menu.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-normal.png b/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-normal.png deleted file mode 100644 index 6193daecc69..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-normal.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-pressed.png b/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-pressed.png deleted file mode 100644 index 33093e94591..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-pressed.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-search.png b/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-search.png deleted file mode 100644 index 1a4948a5bc1..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/my-position-search.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/search.png b/tizen/MapsWithMe/res/screen-density-high/main_form_menu/search.png deleted file mode 100644 index b866083ace3..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/search.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/star.png b/tizen/MapsWithMe/res/screen-density-high/main_form_menu/star.png deleted file mode 100644 index de243dcc8f3..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_form_menu/star.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_menu/IconMap.png b/tizen/MapsWithMe/res/screen-density-high/main_menu/IconMap.png deleted file mode 100644 index b210915539c..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_menu/IconMap.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_menu/IconSettings.png b/tizen/MapsWithMe/res/screen-density-high/main_menu/IconSettings.png deleted file mode 100644 index 4da5ea537dc..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_menu/IconSettings.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_menu/IconShare.png b/tizen/MapsWithMe/res/screen-density-high/main_menu/IconShare.png deleted file mode 100644 index 1f9721b7184..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_menu/IconShare.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/main_menu/MWMProIcon.png b/tizen/MapsWithMe/res/screen-density-high/main_menu/MWMProIcon.png deleted file mode 100644 index cb11f491e24..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/main_menu/MWMProIcon.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/search/single-result.png b/tizen/MapsWithMe/res/screen-density-high/search/single-result.png deleted file mode 100644 index 7e2009f84de..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/search/single-result.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-density-high/search/suggestion-result.png b/tizen/MapsWithMe/res/screen-density-high/search/suggestion-result.png deleted file mode 100644 index 2b32280594d..00000000000 Binary files a/tizen/MapsWithMe/res/screen-density-high/search/suggestion-result.png and /dev/null differ diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_ABOUT_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_ABOUT_FORM.xml deleted file mode 100644 index c7017deaba2..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_ABOUT_FORM.xml +++ /dev/null @@ -1,29 +0,0 @@ - - - - - - 720 -
- - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_BMCATEGORIES_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_BMCATEGORIES_FORM.xml deleted file mode 100644 index 4dc987c2c8a..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_BMCATEGORIES_FORM.xml +++ /dev/null @@ -1,25 +0,0 @@ - - - - - - 720 -
- - - - -
- - - - -
- - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_CATEGORY_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_CATEGORY_FORM.xml deleted file mode 100644 index 268aa16c23e..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_CATEGORY_FORM.xml +++ /dev/null @@ -1,47 +0,0 @@ - - - - - - 720 -
- - - - -
- - - - -
- - - - - - - - - - - - - - - - - - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_DOWNLOAD_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_DOWNLOAD_FORM.xml deleted file mode 100644 index 54f7bc20586..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_DOWNLOAD_FORM.xml +++ /dev/null @@ -1,19 +0,0 @@ - - - - - - 720 -
- - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_LICENSE_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_LICENSE_FORM.xml deleted file mode 100644 index bfd9ddfce3e..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_LICENSE_FORM.xml +++ /dev/null @@ -1,23 +0,0 @@ - - - - - - 720 -
- - - - -
- - -
- - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_MAIN_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_MAIN_FORM.xml deleted file mode 100644 index ffa48965fe1..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_MAIN_FORM.xml +++ /dev/null @@ -1,33 +0,0 @@ - - - - - - 720 -
- - - - -
- - -
- - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_SEARCH_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_SEARCH_FORM.xml deleted file mode 100644 index 034bf77682a..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_SEARCH_FORM.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - - - 720 -
- - - - - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_SELECT_BM_CATEGORY_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_SELECT_BM_CATEGORY_FORM.xml deleted file mode 100644 index 6d608e11443..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_SELECT_BM_CATEGORY_FORM.xml +++ /dev/null @@ -1,24 +0,0 @@ - - - - - - 720 -
- - - - - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_SELECT_COLOR_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_SELECT_COLOR_FORM.xml deleted file mode 100644 index 7fd2e1000e1..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_SELECT_COLOR_FORM.xml +++ /dev/null @@ -1,64 +0,0 @@ - - - - - - 720 -
- - - - - - - - - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_SETTINGS_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_SETTINGS_FORM.xml deleted file mode 100644 index 95e243f99c3..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_SETTINGS_FORM.xml +++ /dev/null @@ -1,44 +0,0 @@ - - - - - - 720 -
- - - - - - - - - - - - - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/screen-size-normal/IDF_SHARE_POSITION_FORM.xml b/tizen/MapsWithMe/res/screen-size-normal/IDF_SHARE_POSITION_FORM.xml deleted file mode 100644 index ff7ea6d9c13..00000000000 --- a/tizen/MapsWithMe/res/screen-size-normal/IDF_SHARE_POSITION_FORM.xml +++ /dev/null @@ -1,39 +0,0 @@ - - - - - - 720 -
- - - - - - - - - - - - - -
diff --git a/tizen/MapsWithMe/res/spa-ES.xml b/tizen/MapsWithMe/res/spa-ES.xml deleted file mode 100644 index b2f4019d5d7..00000000000 --- a/tizen/MapsWithMe/res/spa-ES.xml +++ /dev/null @@ -1,155 +0,0 @@ - - - - - - - - Acerca de - - Cancelar - - Cancelar descarga - - Eliminar - Descargar mapas - - Kilómetros - - Milla - - No hay conexión al Internet - - No hay conexión Wifi. ¿Quieres descargar el mapa con tu plan de datos móviles? - - Recomendamos usar WiFi para descarga de los países grandes - Descargar - - %s la descarga ha fallado - - Agregar un grupo nuevo - - Color del marcador - - Marcadores - - Ajustes - - Unidades de medida - - Elija entre millas y kilómetros - - Comer - - Transporte - - Gasolinera - - Estacionamiento - - Tienda - Hotel - - Turismo - - Entretenimiento - - ATM - - Banco - - Farmacia - - Hospital - - Servicios sanitario - - Oficina de correos - - Policía - - No se han encontrado resultados - - Tu ubicación aún no ha sido determinada - - Ve mi alfiler en mapa. Abre %1$s o %2$s - - Mira dónde estoy. Abre %1$s o %2$s - - Mira mi alfiler en el mapa de MAPS.ME - - ¡Hola!\n\nMarqué con un alfiler: %1$s en MAPS.ME, mapas del mundo sin conexión. Haz clic en este enlace %2$s o este %3$s para ver el sitio en el mapa.\n\nGracias. - - Mira mi ubicación actual en el mapa en MAPS.ME - - Hola:\n\nAhora estoy aquí: %1$s. Haz clic en este enlace %2$s o esta %3$s para verlo en el mapa.\n\nGracias. - - Compartir - - Mensaje - - Correo electrónico - - Copiar enlace - - Hecho - - Versión: %s - - ¿Seguro que desea continuar? - Compartir mi ubicación - Botones de zoom - Visualización en la pantalla - - WiFi - - Por favor, actualiza el mapa para crear una ruta. - - La nueva versión de MAPS.ME permite crear rutas desde tu ubicación actual hasta un punto de destino. Por favor, actualiza los mapas para utilizar esta característica. - - Actualizar todos - - Cancelar todo - - Descargados - - Mapas descargados - - Mis mapas - - En cola - - Creando rutas en la aplicación MAPS.ME, por favor, tenga en cuenta lo siguiente:\n\n - Las rutas sugeridas se pueden considerar únicamente como recomendaciones.\n - Las condiciones de la carretera, las normas y las señales de tráfico tienen mayor prioridad que el consejo de navegación.\n - El mapa podría ser incorrecto o estar obsoleto y las rutas pueden no crear el mejor camino posible.\n\n ¡Esté seguro en las carreteras y cuídese! - - Anticuado - - Actualizado - - Actualizar - - Fallo - - Descargar mapa + itinerario - - Descargar itinerario - - Eliminar itinerario - - Descargar el mapa - - ¡Listo! - - Reintentar - - Mapa + itinerario - - Eliminar mapa - - Actualizar mapa - - Actualizar mapa + itinerario - - Solo mapa - - Menú de aplicación - diff --git a/tizen/MapsWithMe/res/ukr-UA.xml b/tizen/MapsWithMe/res/ukr-UA.xml deleted file mode 100644 index d5e9605bb82..00000000000 --- a/tizen/MapsWithMe/res/ukr-UA.xml +++ /dev/null @@ -1,161 +0,0 @@ - - - - - - - - Про програму - - Скасувати - - Вiдмiнити завантаження - - Видалити - Завантажити карти - - Кілометри - - МБ - - Милі - - Відсутнє підключення до інтернету - - Відсутнє WiFi з\'єднання. Ви бажаєте завантажити %s через стільникового оператора (GPRS, EDGE, 3G або LTE)? - - Ми рекомендуємо завантажувати великі країни через WiFi - Завантажити - - Не вдалося завантажити %s - - Додати групу - - Колір мiтки - - Мітки - - Налаштування - - Показувати на карті - - Одиниці виміру - - Використовувати милі чи кілометри - - Їжа - - Транспорт - - Заправка - - Парковка - - Крамниця - Готель - - Пам’ятні місця - - Розваги - - Банкомат - - Банк - - Аптека - - Лікарня - - Туалет - - Пошта - - Міліція - - Результатів не знайдено - - Редаґувати - - Ваше місце розташування не визначено - - Моя мітка на карті. Іди %1$s або %2$s - - Глянь де я зараз. Іди %1$s або %2$s - - Поглянь на мою позначку на карті MAPS.ME - - Привіт,\n\nЯ позначив: %1$s на MAPS.ME, офлайн картах світу. Натисни на це посилання %2$s або на це посилання %3$s, щоб побачити місце на карті.\n\nДякую. - - Поглянь на моє поточне місцезнаходження на карті MAPS.ME - - Привіт,\n\nЯ зараз тут: %1$s. Натисни на це посилання %2$s або на це посилання %3$s щоб побачити місце на карті.\n\nДякую. - - Подiлитись - - Повідомлення - - Ел. пошта - - Копіювати посилання - - Готово - - Версія: %s - - Продовжити? - Поділитися моїм місцезнаходженням - Кнопки трансфокації - Відображення на екрані - - WiFi - - Будь ласка, оновіть карту, щоб прокласти маршрут. - - В новій версії MAPS.ME ви зможете прокладати маршрут від поточного місця перебування до точки призначення. Щоб скористатися цією функцією, будь ласка, оновіть карти. - - Оновити все - - Скасувати всі - - Завантажено - - Завантажені карти - - Мої карти - - в черзі - - Використовуючи маршрути в програмі MAPS.ME, будь ласка, враховуйте наступне:\n\n - Пропоновані маршрути можуть розглядатися тільки в якості рекомендації.\n - Дорожні умови, правила дорожнього руху, знаки являються більш пріоритетними в порівнянні з порадами навігаційної програми.\n - Карта може бути неточною або неактуальною , а запропонований маршрут не найоптимальнішим.\n\n Будьте уважні на дорозі та бережіть себе! - - Неактуальні - - Оновлені - - Oновити - - Помилка - - Завантажити карту + маршрути - - Завантажити маршрути - - Видалити маршрути - - Завантажити карту - - Поїхали! - - Спробуйте знову - - Мапа + Маршрути - - Видалити мапу - - Оновити мапу - - Оновити мапу + Маршрути - - Тільки карта - - Меню програми - diff --git a/tizen/MapsWithMe/shared/res/screen-density-xhigh/Pro.png b/tizen/MapsWithMe/shared/res/screen-density-xhigh/Pro.png deleted file mode 100644 index 6aa64ccb7a8..00000000000 Binary files a/tizen/MapsWithMe/shared/res/screen-density-xhigh/Pro.png and /dev/null differ diff --git a/tizen/MapsWithMe/shared/res/screen-density-xhigh/ic_launcher.png b/tizen/MapsWithMe/shared/res/screen-density-xhigh/ic_launcher.png deleted file mode 100644 index 16fc1497790..00000000000 Binary files a/tizen/MapsWithMe/shared/res/screen-density-xhigh/ic_launcher.png and /dev/null differ diff --git a/tizen/MapsWithMe/shared/res/screen-density-xhigh/mainmenu.png b/tizen/MapsWithMe/shared/res/screen-density-xhigh/mainmenu.png deleted file mode 100644 index 9765b1bda7e..00000000000 Binary files a/tizen/MapsWithMe/shared/res/screen-density-xhigh/mainmenu.png and /dev/null differ diff --git a/tizen/MapsWithMe/src/AboutForm.cpp b/tizen/MapsWithMe/src/AboutForm.cpp deleted file mode 100644 index 4fc66b0a64f..00000000000 --- a/tizen/MapsWithMe/src/AboutForm.cpp +++ /dev/null @@ -1,75 +0,0 @@ -#include "AboutForm.hpp" -#include "SceneRegister.hpp" -#include "MapsWithMeForm.hpp" -#include "AppResourceId.h" -#include "../../../base/logging.hpp" -#include "../../../platform/settings.hpp" -#include "../../../platform/tizen_utils.hpp" -#include -#include -#include -#include "Utils.hpp" - -using namespace Tizen::Base; -using namespace Tizen::Ui; -using namespace Tizen::Ui::Controls; -using namespace Tizen::Ui::Scenes; -using namespace Tizen::App; -using namespace Tizen::Web::Controls; - -AboutForm::AboutForm() -{ -} - -AboutForm::~AboutForm(void) -{ -} - -bool AboutForm::Initialize(void) -{ - Construct(IDF_ABOUT_FORM); - return true; -} - -result AboutForm::OnInitializing(void) -{ - Label * pCurrentVersionLabel = static_cast(GetControl(IDC_VERSION_LABEL, true)); - - // version - String const strVersion = App::GetInstance()->GetAppVersion(); - pCurrentVersionLabel->SetText(FormatString1(IDS_VERSION, strVersion)); - - // web page - Web * pWeb = static_cast(GetControl(IDC_WEB, true)); - Tizen::Base::String url = "file://"; - url += (Tizen::App::App::GetInstance()->GetAppDataPath()); - url += "copyright.html"; - pWeb->LoadUrl(url); - - Button * pButtonBack = static_cast - diff --git a/tizen/RunUnitTests/res/screen-size-normal/workflow.xml b/tizen/RunUnitTests/res/screen-size-normal/workflow.xml deleted file mode 100644 index 3d05c6096e6..00000000000 --- a/tizen/RunUnitTests/res/screen-size-normal/workflow.xml +++ /dev/null @@ -1,9 +0,0 @@ - - - - - - - - - diff --git a/tizen/RunUnitTests/res/types.txt b/tizen/RunUnitTests/res/types.txt deleted file mode 120000 index 095b163beee..00000000000 --- a/tizen/RunUnitTests/res/types.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/types.txt \ No newline at end of file diff --git a/tizen/RunUnitTests/res/unicode_blocks.txt b/tizen/RunUnitTests/res/unicode_blocks.txt deleted file mode 120000 index cc7ace66f1d..00000000000 --- a/tizen/RunUnitTests/res/unicode_blocks.txt +++ /dev/null @@ -1 +0,0 @@ -../../../data/unicode_blocks.txt \ No newline at end of file diff --git a/tizen/RunUnitTests/shared/res/screen-density-xhigh/mainmenu.png b/tizen/RunUnitTests/shared/res/screen-density-xhigh/mainmenu.png deleted file mode 100644 index 9765b1bda7e..00000000000 Binary files a/tizen/RunUnitTests/shared/res/screen-density-xhigh/mainmenu.png and /dev/null differ diff --git a/tizen/RunUnitTests/src/AppResourceId.cpp b/tizen/RunUnitTests/src/AppResourceId.cpp deleted file mode 100644 index f935b4d70b7..00000000000 --- a/tizen/RunUnitTests/src/AppResourceId.cpp +++ /dev/null @@ -1,5 +0,0 @@ -#include "AppResourceId.h" - -const wchar_t* IDL_FORM = L"IDL_FORM"; -const wchar_t* IDSCNT_MAIN_SCENE = L"IDSCNT_MAIN_SCENE"; -const wchar_t* IDC_BUTTON_OK = L"IDC_BUTTON_OK"; diff --git a/tizen/RunUnitTests/src/HelloWorldApp.cpp b/tizen/RunUnitTests/src/HelloWorldApp.cpp deleted file mode 100644 index d24b73861ba..00000000000 --- a/tizen/RunUnitTests/src/HelloWorldApp.cpp +++ /dev/null @@ -1,96 +0,0 @@ -#include -#include "HelloWorldApp.h" -#include "HelloWorldFrame.h" - -using namespace Tizen::App; -using namespace Tizen::System; - -HelloWorldApp::HelloWorldApp(void) -{ -} - -HelloWorldApp::~HelloWorldApp(void) -{ -} - -UiApp* -HelloWorldApp::CreateInstance(void) -{ - // Create the application instance through the constructor. - return new (std::nothrow) HelloWorldApp(); -} - -bool HelloWorldApp::OnAppInitializing(AppRegistry& appRegistry) -{ - // TODO: Initialize application-specific data. - // The permanent data and context of the application can be obtained from the application registry (appRegistry). - // - // If this method is successful, return true; otherwise, return false and the application is terminated. - - // Uncomment the following statement to listen to the screen on and off events: - // PowerManager::SetScreenEventListener(*this); - - // TODO: Add your application initialization code here. - return true; -} - -bool HelloWorldApp::OnAppInitialized(void) -{ - // Create the application frame. - HelloWorldFrame* pHelloWorldFrame = new (std::nothrow) HelloWorldFrame; - TryReturn(pHelloWorldFrame != null, false, "The memory is insufficient."); - pHelloWorldFrame->Construct(); - pHelloWorldFrame->SetName(L"HelloWorld"); - AddFrame(*pHelloWorldFrame); - - return true; -} - -bool HelloWorldApp::OnAppWillTerminate(void) -{ - // TODO: Deallocate or release resources in devices that have the END key. - return true; -} - -bool HelloWorldApp::OnAppTerminating(AppRegistry& appRegistry, bool forcedTermination) -{ - // TODO: Deallocate all resources allocated by the application. - // The permanent data and context of the application can be saved through the application registry (appRegistry). - return true; -} - -void HelloWorldApp::OnForeground(void) -{ - // TODO: Start or resume drawing when the application is moved to the foreground. -} - -void HelloWorldApp::OnBackground(void) -{ - // TODO: Stop drawing when the application is moved to the background to save the CPU and battery consumption. -} - -void HelloWorldApp::OnLowMemory(void) -{ - // TODO: Free unnecessary resources or close the application. -} - -void HelloWorldApp::OnBatteryLevelChanged(BatteryLevel batteryLevel) -{ - // TODO: Handle all battery level changes here. - // Stop using multimedia features (such as camera and mp3 playback) if the battery level is CRITICAL. -} - -void HelloWorldApp::OnScreenOn(void) -{ - // TODO: Retrieve the released resources or resume the operations that were paused or stopped in the OnScreenOff() event handler. -} - -void HelloWorldApp::OnScreenOff(void) -{ - // TODO: Release resources (such as 3D, media, and sensors) to allow the device to enter the sleep mode - // to save the battery (unless you have a good reason to do otherwise). - // Only perform quick operations in this event handler. Any lengthy operations can be risky; - // for example, invoking a long asynchronous method within this event handler can cause problems - // because the device can enter the sleep mode before the callback is invoked. - -} diff --git a/tizen/RunUnitTests/src/HelloWorldEntry.cpp b/tizen/RunUnitTests/src/HelloWorldEntry.cpp deleted file mode 100644 index c6ed0ad2df7..00000000000 --- a/tizen/RunUnitTests/src/HelloWorldEntry.cpp +++ /dev/null @@ -1,35 +0,0 @@ -// -//This file contains the Tizen application entry point by default. You do not need to modify this file. -// -#include -#include "HelloWorldApp.h" - -using namespace Tizen::Base; -using namespace Tizen::Base::Collection; - -#ifdef __cplusplus -extern "C" -{ -#endif // __cplusplus -// -// The framework calls this method as the entry method of the Tizen application. -// -_EXPORT_ int OspMain(int argc, char* pArgv[]) -{ - AppLog("Application started."); - ArrayList args(SingleObjectDeleter); - args.Construct(); - for (int i = 0; i < argc; i++) - { - args.Add(new (std::nothrow) String(pArgv[i])); - } - - result r = Tizen::App::UiApp::Execute(HelloWorldApp::CreateInstance, &args); - TryLog(r == E_SUCCESS, "[%s] Application execution failed.", GetErrorMessage(r)); - AppLog("Application finished."); - - return static_cast(r); -} -#ifdef __cplusplus -} -#endif // __cplusplus diff --git a/tizen/RunUnitTests/src/HelloWorldFormFactory.cpp b/tizen/RunUnitTests/src/HelloWorldFormFactory.cpp deleted file mode 100644 index 1d14d37d0f8..00000000000 --- a/tizen/RunUnitTests/src/HelloWorldFormFactory.cpp +++ /dev/null @@ -1,34 +0,0 @@ -#include -#include "HelloWorldFormFactory.h" -#include "HelloWorldMainForm.h" -#include "AppResourceId.h" - -using namespace Tizen::Ui::Scenes; - -HelloWorldFormFactory::HelloWorldFormFactory(void) -{ -} - -HelloWorldFormFactory::~HelloWorldFormFactory(void) -{ -} - -Tizen::Ui::Controls::Form* -HelloWorldFormFactory::CreateFormN(const Tizen::Base::String& formId, const Tizen::Ui::Scenes::SceneId& sceneId) -{ - SceneManager* pSceneManager = SceneManager::GetInstance(); - AppAssert(pSceneManager); - Tizen::Ui::Controls::Form* pNewForm = null; - - if (formId == IDL_FORM) - { - HelloWorldMainForm* pForm = new (std::nothrow) HelloWorldMainForm(); - TryReturn(pForm != null, null, "The memory is insufficient."); - pForm->Initialize(); - pSceneManager->AddSceneEventListener(sceneId, *pForm); - pNewForm = pForm; - } - // TODO: Add your form creation code here - - return pNewForm; -} diff --git a/tizen/RunUnitTests/src/HelloWorldFrame.cpp b/tizen/RunUnitTests/src/HelloWorldFrame.cpp deleted file mode 100644 index 92fe4145aef..00000000000 --- a/tizen/RunUnitTests/src/HelloWorldFrame.cpp +++ /dev/null @@ -1,42 +0,0 @@ -#include "HelloWorldFrame.h" -#include "HelloWorldFormFactory.h" -#include "HelloWorldPanelFactory.h" -#include "AppResourceId.h" - -using namespace Tizen::Base; -using namespace Tizen::Ui; -using namespace Tizen::Ui::Controls; -using namespace Tizen::Ui::Scenes; - -HelloWorldFrame::HelloWorldFrame(void) -{ -} - -HelloWorldFrame::~HelloWorldFrame(void) -{ -} - -result HelloWorldFrame::OnInitializing(void) -{ - // Prepare Scene management. - SceneManager* pSceneManager = SceneManager::GetInstance(); - static HelloWorldFormFactory formFactory; - static HelloWorldPanelFactory panelFactory; - pSceneManager->RegisterFormFactory(formFactory); - pSceneManager->RegisterPanelFactory(panelFactory); - pSceneManager->RegisterScene(L"workflow"); - - // Go to the scene. - result r = pSceneManager->GoForward(SceneTransitionId(IDSCNT_MAIN_SCENE)); - - // TODO: Add your frame initialization code here. - return r; -} - -result HelloWorldFrame::OnTerminating(void) -{ - result r = E_SUCCESS; - - // TODO: Add your frame termination code here. - return r; -} diff --git a/tizen/RunUnitTests/src/HelloWorldMainForm.cpp b/tizen/RunUnitTests/src/HelloWorldMainForm.cpp deleted file mode 100644 index 7b230cb5328..00000000000 --- a/tizen/RunUnitTests/src/HelloWorldMainForm.cpp +++ /dev/null @@ -1,198 +0,0 @@ -#include "HelloWorldMainForm.h" -#include "AppResourceId.h" -#include -#include "/Users/Sergey/GitHub/omim/testing/testregister.hpp" -#include "/Users/Sergey/GitHub/omim/platform/platform.hpp" - -#include - -using namespace Tizen::Base; -using namespace Tizen::App; -using namespace Tizen::Ui; -using namespace Tizen::Ui::Controls; -using namespace Tizen::Ui::Scenes; - -using namespace std; - -static bool g_lastTestOK = true; - -int run_all_tests() -{ - AppLog("Running all tests"); - - vector testnames; - vector testResults; - int numFailedTests = 0; - - for (TestRegister * test = TestRegister::FirstRegister(); test; test = test->m_next) - { - string filename(test->m_filename); - string testname(test->m_testname); - - // Retrieve fine file name. - auto const lastSlash = filename.find_last_of("\\/"); - if (lastSlash != string::npos) - filename.erase(0, lastSlash + 1); - - testnames.push_back(filename + "::" + testname); - testResults.push_back(true); - } - - int testIndex = 0; - int nPassedTests = 0; - for (TestRegister *test = TestRegister::FirstRegister(); test; ++testIndex, test = test->m_next) - { - string s = testnames[testIndex]; - AppLog("////////////////////////////////////////////////////////////////////////"); - s = "Running test " + s; - AppLog(s.c_str()); - AppLog("////////////////////////////////////////////////////////////////////////"); - - if (!g_lastTestOK) - { - AppLog("g_lastTestOK - false"); - return 5; - } - try - { - // Run the test. - test->m_fn(); - AppLog("Passed"); - - nPassedTests++; - if (g_lastTestOK) - { - } - else - { - testResults[testIndex] = false; - ++numFailedTests; - std::ostringstream os; - os << "Failed test " << testnames[testIndex]; - AppLogException(os.str().c_str()); - } - } - - catch (std::exception const & ex) - { - testResults[testIndex] = false; - ++numFailedTests; - std::ostringstream os; - os << "Failed test with std exception " << ex.what() << " in test " << testnames[testIndex]; - AppLogException(os.str().c_str()); - - } - catch (...) - { - testResults[testIndex] = false; - ++numFailedTests; - std::ostringstream os; - os << "Failed test with exception " << testnames[testIndex]; - AppLogException(os.str().c_str()); - } - g_lastTestOK = true; - } - - if (numFailedTests == 0) - { - return nPassedTests; - } - else - { - for (size_t i = 0; i < testnames.size(); ++i) - { - } - return numFailedTests * 10000 + nPassedTests; - } -} - -HelloWorldMainForm::HelloWorldMainForm(void) -{ -} - -HelloWorldMainForm::~HelloWorldMainForm(void) -{ -} - -bool HelloWorldMainForm::Initialize(void) -{ - result r = Construct(IDL_FORM); - TryReturn(r == E_SUCCESS, false, "Failed to construct form"); - - return true; -} - -result HelloWorldMainForm::OnInitializing(void) -{ - result r = E_SUCCESS; - - // TODO: Add your initialization code here - - // Setup back event listener - SetFormBackEventListener(this); - - // Get a button via resource ID - Tizen::Ui::Controls::Button* pButtonOk = static_cast(GetControl(IDC_BUTTON_OK)); - if (pButtonOk != null) - { - pButtonOk->SetActionId(IDA_BUTTON_OK); - pButtonOk->AddActionEventListener(*this); - } - - return r; -} - -result HelloWorldMainForm::OnTerminating(void) -{ - result r = E_SUCCESS; - - // TODO: Add your termination code here - return r; -} - -void HelloWorldMainForm::OnActionPerformed(const Tizen::Ui::Control& source, int actionId) -{ - SceneManager* pSceneManager = SceneManager::GetInstance(); - AppAssert(pSceneManager); - - switch (actionId) - { - case IDA_BUTTON_OK: - { - int m = run_all_tests(); - if (m != 0) - { - std::ostringstream os; - os << m << "Tests passed."; - AppLog(os.str().c_str()); - } - else - AppLog("Tests failed"); - } - break; - - default: - break; - } -} - -void HelloWorldMainForm::OnFormBackRequested(Tizen::Ui::Controls::Form& source) -{ - UiApp* pApp = UiApp::GetInstance(); - AppAssert(pApp); - pApp->Terminate(); -} - -void HelloWorldMainForm::OnSceneActivatedN(const Tizen::Ui::Scenes::SceneId& previousSceneId, - const Tizen::Ui::Scenes::SceneId& currentSceneId, Tizen::Base::Collection::IList* pArgs) -{ - // TODO: Activate your scene here. - -} - -void HelloWorldMainForm::OnSceneDeactivated(const Tizen::Ui::Scenes::SceneId& currentSceneId, - const Tizen::Ui::Scenes::SceneId& nextSceneId) -{ - // TODO: Deactivate your scene here. - -} diff --git a/tizen/RunUnitTests/src/HelloWorldPanelFactory.cpp b/tizen/RunUnitTests/src/HelloWorldPanelFactory.cpp deleted file mode 100644 index ef018f2cd3b..00000000000 --- a/tizen/RunUnitTests/src/HelloWorldPanelFactory.cpp +++ /dev/null @@ -1,22 +0,0 @@ -#include "HelloWorldPanelFactory.h" - -using namespace Tizen::Ui::Scenes; - -HelloWorldPanelFactory::HelloWorldPanelFactory(void) -{ -} - -HelloWorldPanelFactory::~HelloWorldPanelFactory(void) -{ -} - -Tizen::Ui::Controls::Panel* -HelloWorldPanelFactory::CreatePanelN(const Tizen::Base::String& panelId, const Tizen::Ui::Scenes::SceneId& sceneId) -{ - SceneManager* pSceneManager = SceneManager::GetInstance(); - AppAssert(pSceneManager); - Tizen::Ui::Controls::Panel* pNewPanel = null; - - // TODO: Add your panel creation code here - return pNewPanel; -} diff --git a/tizen/inc/FBase.hpp b/tizen/inc/FBase.hpp deleted file mode 100644 index dbb31f2a7e8..00000000000 --- a/tizen/inc/FBase.hpp +++ /dev/null @@ -1,5 +0,0 @@ -#pragma once -#pragma clang diagnostic push -#pragma clang diagnostic ignored "-Wignored-qualifiers" - #include -#pragma clang diagnostic pop diff --git a/tizen/inc/FIo.hpp b/tizen/inc/FIo.hpp deleted file mode 100644 index 604e68cd87e..00000000000 --- a/tizen/inc/FIo.hpp +++ /dev/null @@ -1,5 +0,0 @@ -#pragma once -#pragma clang diagnostic push -#pragma clang diagnostic ignored "-Wignored-qualifiers" - #include -#pragma clang diagnostic pop diff --git a/tizen/scripts/update_assets.sh b/tizen/scripts/update_assets.sh deleted file mode 100755 index 26a2660b051..00000000000 --- a/tizen/scripts/update_assets.sh +++ /dev/null @@ -1,3 +0,0 @@ -#!/bin/bash -./update_assets_for_version.sh ../MapsWithMe/data -./update_ui_assets_for_version.sh ../MapsWithMe/res \ No newline at end of file diff --git a/tizen/scripts/update_assets_for_unit_tests.sh b/tizen/scripts/update_assets_for_unit_tests.sh deleted file mode 100755 index aa1d4faa118..00000000000 --- a/tizen/scripts/update_assets_for_unit_tests.sh +++ /dev/null @@ -1,20 +0,0 @@ -#!/bin/bash -set -x -u - -SRC=../../../data -DST=$1 - -# Remove old links -#rm -rf $DST -#mkdir $DST - -files=(copyright.html resources-mdpi_clear resources-hdpi_clear resources-xhdpi_clear resources-xxhdpi_clear resources-xxxhdpi_clear categories.txt classificator.txt - types.txt fonts_blacklist.txt fonts_whitelist.txt languages.txt unicode_blocks.txt \ - drules_proto_clear.bin packed_polygons.bin countries.txt World.mwm WorldCoasts.mwm 00_roboto_regular.ttf 01_dejavusans.ttf 02_droidsans-fallback.ttf - 03_jomolhari-id-a3d.ttf 04_padauk.ttf 05_khmeros.ttf 06_code2000.ttf - minsk-pass.mwm) - -for item in ${files[*]} -do - ln -s $SRC/$item $DST/$item -done diff --git a/tizen/scripts/update_assets_for_version.sh b/tizen/scripts/update_assets_for_version.sh deleted file mode 100755 index b94353ddd7e..00000000000 --- a/tizen/scripts/update_assets_for_version.sh +++ /dev/null @@ -1,19 +0,0 @@ -#!/bin/bash -set -x -u - -SRC=../../../data -DST=$1 - -# Remove old links -rm -rf $DST -mkdir $DST - -files=(copyright.html resources-mdpi_clear resources-hdpi_clear resources-xhdpi_clear resources-xxhdpi_clear resources-xxxhdpi_clear categories.txt classificator.txt - types.txt fonts_blacklist.txt fonts_whitelist.txt languages.txt unicode_blocks.txt \ - drules_proto_clear.bin packed_polygons.bin countries.txt World.mwm WorldCoasts.mwm 00_roboto_regular.ttf 01_dejavusans.ttf 02_droidsans-fallback.ttf - 03_jomolhari-id-a3d.ttf 04_padauk.ttf 05_khmeros.ttf 06_code2000.ttf) - -for item in ${files[*]} -do - ln -s $SRC/$item $DST/$item -done diff --git a/tizen/scripts/update_ui_assets_for_version.sh b/tizen/scripts/update_ui_assets_for_version.sh deleted file mode 100755 index f7ab8257a0f..00000000000 --- a/tizen/scripts/update_ui_assets_for_version.sh +++ /dev/null @@ -1,9 +0,0 @@ -#!/bin/bash -set -x -u - -DST=$1 - -# Remove old links -mkdir $DST -mkdir $DST/screen-density-high -ln -s ../../../../data/flags $DST/screen-density-high/flags \ No newline at end of file diff --git a/tizen/scripts/update_unit_tests.sh b/tizen/scripts/update_unit_tests.sh deleted file mode 100755 index e6801dfa1a2..00000000000 --- a/tizen/scripts/update_unit_tests.sh +++ /dev/null @@ -1,2 +0,0 @@ -#!/bin/bash -./update_assets_for_unit_tests.sh ../RunUnitTests/res \ No newline at end of file